This diff has been collapsed as it changes many lines, (917 lines changed)
Show them
Hide them
|
|
@@
-1,22
+1,29
b''
|
|
1
|
# -*- coding: utf-8 -*-
|
|
1
|
# -*- coding: utf-8 -*-
|
|
2
|
|
|
2
|
|
|
3
|
# Copyright οΏ½ 2006 Steven J. Bethard <steven.bethard@gmail.com>.
|
|
3
|
# Copyright Β© 2006-2009 Steven J. Bethard <steven.bethard@gmail.com>.
|
|
4
|
#
|
|
4
|
#
|
|
5
|
# Redistribution and use in source and binary forms, with or without
|
|
5
|
# Licensed under the Apache License, Version 2.0 (the "License"); you may not
|
|
6
|
# modification, are permitted under the terms of the 3-clause BSD
|
|
6
|
# use this file except in compliance with the License. You may obtain a copy
|
|
7
|
# license. No warranty expressed or implied.
|
|
7
|
# of the License at
|
|
8
|
# For details, see the accompanying file LICENSE.txt.
|
|
8
|
#
|
|
|
|
|
9
|
# http://www.apache.org/licenses/LICENSE-2.0
|
|
|
|
|
10
|
#
|
|
|
|
|
11
|
# Unless required by applicable law or agreed to in writing, software
|
|
|
|
|
12
|
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
|
|
|
|
|
13
|
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
|
|
|
|
|
14
|
# License for the specific language governing permissions and limitations
|
|
|
|
|
15
|
# under the License.
|
|
9
|
|
|
16
|
|
|
10
|
"""Command-line parsing library
|
|
17
|
"""Command-line parsing library
|
|
11
|
|
|
18
|
|
|
12
|
This module is an optparse-inspired command-line parsing library that:
|
|
19
|
This module is an optparse-inspired command-line parsing library that:
|
|
13
|
|
|
20
|
|
|
14
|
* handles both optional and positional arguments
|
|
21
|
- handles both optional and positional arguments
|
|
15
|
* produces highly informative usage messages
|
|
22
|
- produces highly informative usage messages
|
|
16
|
* supports parsers that dispatch to sub-parsers
|
|
23
|
- supports parsers that dispatch to sub-parsers
|
|
17
|
|
|
24
|
|
|
18
|
The following is a simple usage example that sums integers from the
|
|
25
|
The following is a simple usage example that sums integers from the
|
|
19
|
command-line and writes the result to a file:
|
|
26
|
command-line and writes the result to a file::
|
|
20
|
|
|
27
|
|
|
21
|
parser = argparse.ArgumentParser(
|
|
28
|
parser = argparse.ArgumentParser(
|
|
22
|
description='sum the integers at the command line')
|
|
29
|
description='sum the integers at the command line')
|
|
@@
-32,32
+39,35
b' command-line and writes the result to a file:'
|
|
32
|
|
|
39
|
|
|
33
|
The module contains the following public classes:
|
|
40
|
The module contains the following public classes:
|
|
34
|
|
|
41
|
|
|
35
|
ArgumentParser -- The main entry point for command-line parsing. As the
|
|
42
|
- ArgumentParser -- The main entry point for command-line parsing. As the
|
|
36
|
example above shows, the add_argument() method is used to populate
|
|
43
|
example above shows, the add_argument() method is used to populate
|
|
37
|
the parser with actions for optional and positional arguments. Then
|
|
44
|
the parser with actions for optional and positional arguments. Then
|
|
38
|
the parse_args() method is invoked to convert the args at the
|
|
45
|
the parse_args() method is invoked to convert the args at the
|
|
39
|
command-line into an object with attributes.
|
|
46
|
command-line into an object with attributes.
|
|
40
|
|
|
47
|
|
|
41
|
ArgumentError -- The exception raised by ArgumentParser objects when
|
|
48
|
- ArgumentError -- The exception raised by ArgumentParser objects when
|
|
42
|
there are errors with the parser's actions. Errors raised while
|
|
49
|
there are errors with the parser's actions. Errors raised while
|
|
43
|
parsing the command-line are caught by ArgumentParser and emitted
|
|
50
|
parsing the command-line are caught by ArgumentParser and emitted
|
|
44
|
as command-line messages.
|
|
51
|
as command-line messages.
|
|
45
|
|
|
52
|
|
|
46
|
FileType -- A factory for defining types of files to be created. As the
|
|
53
|
- FileType -- A factory for defining types of files to be created. As the
|
|
47
|
example above shows, instances of FileType are typically passed as
|
|
54
|
example above shows, instances of FileType are typically passed as
|
|
48
|
the type= argument of add_argument() calls.
|
|
55
|
the type= argument of add_argument() calls.
|
|
49
|
|
|
56
|
|
|
50
|
Action -- The base class for parser actions. Typically actions are
|
|
57
|
- Action -- The base class for parser actions. Typically actions are
|
|
51
|
selected by passing strings like 'store_true' or 'append_const' to
|
|
58
|
selected by passing strings like 'store_true' or 'append_const' to
|
|
52
|
the action= argument of add_argument(). However, for greater
|
|
59
|
the action= argument of add_argument(). However, for greater
|
|
53
|
customization of ArgumentParser actions, subclasses of Action may
|
|
60
|
customization of ArgumentParser actions, subclasses of Action may
|
|
54
|
be defined and passed as the action= argument.
|
|
61
|
be defined and passed as the action= argument.
|
|
55
|
|
|
62
|
|
|
56
|
HelpFormatter, RawDescriptionHelpFormatter -- Formatter classes which
|
|
63
|
- HelpFormatter, RawDescriptionHelpFormatter, RawTextHelpFormatter,
|
|
|
|
|
64
|
ArgumentDefaultsHelpFormatter -- Formatter classes which
|
|
57
|
may be passed as the formatter_class= argument to the
|
|
65
|
may be passed as the formatter_class= argument to the
|
|
58
|
ArgumentParser constructor. HelpFormatter is the default, while
|
|
66
|
ArgumentParser constructor. HelpFormatter is the default,
|
|
59
|
RawDescriptionHelpFormatter tells the parser not to perform any
|
|
67
|
RawDescriptionHelpFormatter and RawTextHelpFormatter tell the parser
|
|
60
|
line-wrapping on description text.
|
|
68
|
not to change the formatting for help text, and
|
|
|
|
|
69
|
ArgumentDefaultsHelpFormatter adds information about argument defaults
|
|
|
|
|
70
|
to the help.
|
|
61
|
|
|
71
|
|
|
62
|
All other classes in this module are considered implementation details.
|
|
72
|
All other classes in this module are considered implementation details.
|
|
63
|
(Also note that HelpFormatter and RawDescriptionHelpFormatter are only
|
|
73
|
(Also note that HelpFormatter and RawDescriptionHelpFormatter are only
|
|
@@
-65,8
+75,21
b' considered public as object names -- the API of the formatter objects is'
|
|
65
|
still considered an implementation detail.)
|
|
75
|
still considered an implementation detail.)
|
|
66
|
"""
|
|
76
|
"""
|
|
67
|
|
|
77
|
|
|
68
|
__version__ = '0.8.0'
|
|
78
|
__version__ = '1.0'
|
|
|
|
|
79
|
__all__ = [
|
|
|
|
|
80
|
'ArgumentParser',
|
|
|
|
|
81
|
'ArgumentError',
|
|
|
|
|
82
|
'Namespace',
|
|
|
|
|
83
|
'Action',
|
|
|
|
|
84
|
'FileType',
|
|
|
|
|
85
|
'HelpFormatter',
|
|
|
|
|
86
|
'RawDescriptionHelpFormatter',
|
|
|
|
|
87
|
'RawTextHelpFormatter'
|
|
|
|
|
88
|
'ArgumentDefaultsHelpFormatter',
|
|
|
|
|
89
|
]
|
|
|
|
|
90
|
|
|
69
|
|
|
91
|
|
|
|
|
|
92
|
import copy as _copy
|
|
70
|
import os as _os
|
|
93
|
import os as _os
|
|
71
|
import re as _re
|
|
94
|
import re as _re
|
|
72
|
import sys as _sys
|
|
95
|
import sys as _sys
|
|
@@
-74,6
+97,28
b' import textwrap as _textwrap'
|
|
74
|
|
|
97
|
|
|
75
|
from gettext import gettext as _
|
|
98
|
from gettext import gettext as _
|
|
76
|
|
|
99
|
|
|
|
|
|
100
|
try:
|
|
|
|
|
101
|
_set = set
|
|
|
|
|
102
|
except NameError:
|
|
|
|
|
103
|
from sets import Set as _set
|
|
|
|
|
104
|
|
|
|
|
|
105
|
try:
|
|
|
|
|
106
|
_basestring = basestring
|
|
|
|
|
107
|
except NameError:
|
|
|
|
|
108
|
_basestring = str
|
|
|
|
|
109
|
|
|
|
|
|
110
|
try:
|
|
|
|
|
111
|
_sorted = sorted
|
|
|
|
|
112
|
except NameError:
|
|
|
|
|
113
|
|
|
|
|
|
114
|
def _sorted(iterable, reverse=False):
|
|
|
|
|
115
|
result = list(iterable)
|
|
|
|
|
116
|
result.sort()
|
|
|
|
|
117
|
if reverse:
|
|
|
|
|
118
|
result.reverse()
|
|
|
|
|
119
|
return result
|
|
|
|
|
120
|
|
|
|
|
|
121
|
|
|
77
|
SUPPRESS = '==SUPPRESS=='
|
|
122
|
SUPPRESS = '==SUPPRESS=='
|
|
78
|
|
|
123
|
|
|
79
|
OPTIONAL = '?'
|
|
124
|
OPTIONAL = '?'
|
|
@@
-88,7
+133,7
b" PARSER = '==PARSER=='"
|
|
88
|
class _AttributeHolder(object):
|
|
133
|
class _AttributeHolder(object):
|
|
89
|
"""Abstract base class that provides __repr__.
|
|
134
|
"""Abstract base class that provides __repr__.
|
|
90
|
|
|
135
|
|
|
91
|
The __repr__ method returns a string in the format:
|
|
136
|
The __repr__ method returns a string in the format::
|
|
92
|
ClassName(attr=name, attr=name, ...)
|
|
137
|
ClassName(attr=name, attr=name, ...)
|
|
93
|
The attributes are determined either by a class-level attribute,
|
|
138
|
The attributes are determined either by a class-level attribute,
|
|
94
|
'_kwarg_names', or by inspecting the instance __dict__.
|
|
139
|
'_kwarg_names', or by inspecting the instance __dict__.
|
|
@@
-104,23
+149,28
b' class _AttributeHolder(object):'
|
|
104
|
return '%s(%s)' % (type_name, ', '.join(arg_strings))
|
|
149
|
return '%s(%s)' % (type_name, ', '.join(arg_strings))
|
|
105
|
|
|
150
|
|
|
106
|
def _get_kwargs(self):
|
|
151
|
def _get_kwargs(self):
|
|
107
|
return sorted(self.__dict__.items())
|
|
152
|
return _sorted(self.__dict__.items())
|
|
108
|
|
|
153
|
|
|
109
|
def _get_args(self):
|
|
154
|
def _get_args(self):
|
|
110
|
return []
|
|
155
|
return []
|
|
111
|
|
|
156
|
|
|
|
|
|
157
|
|
|
112
|
def _ensure_value(namespace, name, value):
|
|
158
|
def _ensure_value(namespace, name, value):
|
|
113
|
if getattr(namespace, name, None) is None:
|
|
159
|
if getattr(namespace, name, None) is None:
|
|
114
|
setattr(namespace, name, value)
|
|
160
|
setattr(namespace, name, value)
|
|
115
|
return getattr(namespace, name)
|
|
161
|
return getattr(namespace, name)
|
|
116
|
|
|
162
|
|
|
117
|
|
|
163
|
|
|
118
|
|
|
|
|
|
119
|
# ===============
|
|
164
|
# ===============
|
|
120
|
# Formatting Help
|
|
165
|
# Formatting Help
|
|
121
|
# ===============
|
|
166
|
# ===============
|
|
122
|
|
|
167
|
|
|
123
|
class HelpFormatter(object):
|
|
168
|
class HelpFormatter(object):
|
|
|
|
|
169
|
"""Formatter for generating usage messages and argument help strings.
|
|
|
|
|
170
|
|
|
|
|
|
171
|
Only the name of this class is considered a public API. All the methods
|
|
|
|
|
172
|
provided by the class are considered an implementation detail.
|
|
|
|
|
173
|
"""
|
|
124
|
|
|
174
|
|
|
125
|
def __init__(self,
|
|
175
|
def __init__(self,
|
|
126
|
prog,
|
|
176
|
prog,
|
|
@@
-154,7
+204,6
b' class HelpFormatter(object):'
|
|
154
|
# ===============================
|
|
204
|
# ===============================
|
|
155
|
# Section and indentation methods
|
|
205
|
# Section and indentation methods
|
|
156
|
# ===============================
|
|
206
|
# ===============================
|
|
157
|
|
|
|
|
|
158
|
def _indent(self):
|
|
207
|
def _indent(self):
|
|
159
|
self._current_indent += self._indent_increment
|
|
208
|
self._current_indent += self._indent_increment
|
|
160
|
self._level += 1
|
|
209
|
self._level += 1
|
|
@@
-165,6
+214,7
b' class HelpFormatter(object):'
|
|
165
|
self._level -= 1
|
|
214
|
self._level -= 1
|
|
166
|
|
|
215
|
|
|
167
|
class _Section(object):
|
|
216
|
class _Section(object):
|
|
|
|
|
217
|
|
|
168
|
def __init__(self, formatter, parent, heading=None):
|
|
218
|
def __init__(self, formatter, parent, heading=None):
|
|
169
|
self.formatter = formatter
|
|
219
|
self.formatter = formatter
|
|
170
|
self.parent = parent
|
|
220
|
self.parent = parent
|
|
@@
-178,7
+228,7
b' class HelpFormatter(object):'
|
|
178
|
join = self.formatter._join_parts
|
|
228
|
join = self.formatter._join_parts
|
|
179
|
for func, args in self.items:
|
|
229
|
for func, args in self.items:
|
|
180
|
func(*args)
|
|
230
|
func(*args)
|
|
181
|
item_help = join(func(*args) for func, args in self.items)
|
|
231
|
item_help = join([func(*args) for func, args in self.items])
|
|
182
|
if self.parent is not None:
|
|
232
|
if self.parent is not None:
|
|
183
|
self.formatter._dedent()
|
|
233
|
self.formatter._dedent()
|
|
184
|
|
|
234
|
|
|
@@
-202,7
+252,6
b' class HelpFormatter(object):'
|
|
202
|
# ========================
|
|
252
|
# ========================
|
|
203
|
# Message building methods
|
|
253
|
# Message building methods
|
|
204
|
# ========================
|
|
254
|
# ========================
|
|
205
|
|
|
|
|
|
206
|
def start_section(self, heading):
|
|
255
|
def start_section(self, heading):
|
|
207
|
self._indent()
|
|
256
|
self._indent()
|
|
208
|
section = self._Section(self, self._current_section, heading)
|
|
257
|
section = self._Section(self, self._current_section, heading)
|
|
@@
-217,9
+266,9
b' class HelpFormatter(object):'
|
|
217
|
if text is not SUPPRESS and text is not None:
|
|
266
|
if text is not SUPPRESS and text is not None:
|
|
218
|
self._add_item(self._format_text, [text])
|
|
267
|
self._add_item(self._format_text, [text])
|
|
219
|
|
|
268
|
|
|
220
|
def add_usage(self, usage, optionals, positionals, prefix=None):
|
|
269
|
def add_usage(self, usage, actions, groups, prefix=None):
|
|
221
|
if usage is not SUPPRESS:
|
|
270
|
if usage is not SUPPRESS:
|
|
222
|
args = usage, optionals, positionals, prefix
|
|
271
|
args = usage, actions, groups, prefix
|
|
223
|
self._add_item(self._format_usage, args)
|
|
272
|
self._add_item(self._format_usage, args)
|
|
224
|
|
|
273
|
|
|
225
|
def add_argument(self, action):
|
|
274
|
def add_argument(self, action):
|
|
@@
-232,7
+281,7
b' class HelpFormatter(object):'
|
|
232
|
invocations.append(get_invocation(subaction))
|
|
281
|
invocations.append(get_invocation(subaction))
|
|
233
|
|
|
282
|
|
|
234
|
# update the maximum item length
|
|
283
|
# update the maximum item length
|
|
235
|
invocation_length = max(len(s) for s in invocations)
|
|
284
|
invocation_length = max([len(s) for s in invocations])
|
|
236
|
action_length = invocation_length + self._current_indent
|
|
285
|
action_length = invocation_length + self._current_indent
|
|
237
|
self._action_max_length = max(self._action_max_length,
|
|
286
|
self._action_max_length = max(self._action_max_length,
|
|
238
|
action_length)
|
|
287
|
action_length)
|
|
@@
-247,7
+296,6
b' class HelpFormatter(object):'
|
|
247
|
# =======================
|
|
296
|
# =======================
|
|
248
|
# Help-formatting methods
|
|
297
|
# Help-formatting methods
|
|
249
|
# =======================
|
|
298
|
# =======================
|
|
250
|
|
|
|
|
|
251
|
def format_help(self):
|
|
299
|
def format_help(self):
|
|
252
|
help = self._root_section.format_help() % dict(prog=self._prog)
|
|
300
|
help = self._root_section.format_help() % dict(prog=self._prog)
|
|
253
|
if help:
|
|
301
|
if help:
|
|
@@
-256,22
+304,31
b' class HelpFormatter(object):'
|
|
256
|
return help
|
|
304
|
return help
|
|
257
|
|
|
305
|
|
|
258
|
def _join_parts(self, part_strings):
|
|
306
|
def _join_parts(self, part_strings):
|
|
259
|
return ''.join(part
|
|
307
|
return ''.join([part
|
|
260
|
for part in part_strings
|
|
308
|
for part in part_strings
|
|
261
|
if part and part is not SUPPRESS)
|
|
309
|
if part and part is not SUPPRESS])
|
|
262
|
|
|
310
|
|
|
263
|
def _format_usage(self, usage, optionals, positionals, prefix):
|
|
311
|
def _format_usage(self, usage, actions, groups, prefix):
|
|
264
|
if prefix is None:
|
|
312
|
if prefix is None:
|
|
265
|
prefix = _('usage: ')
|
|
313
|
prefix = _('usage: ')
|
|
266
|
|
|
314
|
|
|
267
|
# if no optionals or positionals are available, usage is just prog
|
|
315
|
# if no optionals or positionals are available, usage is just prog
|
|
268
|
if usage is None and not optionals and not positionals:
|
|
316
|
if usage is None and not actions:
|
|
269
|
usage = '%(prog)s'
|
|
317
|
usage = '%(prog)s'
|
|
270
|
|
|
318
|
|
|
271
|
# if optionals and positionals are available, calculate usage
|
|
319
|
# if optionals and positionals are available, calculate usage
|
|
272
|
elif usage is None:
|
|
320
|
elif usage is None:
|
|
273
|
usage = '%(prog)s' % dict(prog=self._prog)
|
|
321
|
usage = '%(prog)s' % dict(prog=self._prog)
|
|
274
|
|
|
322
|
|
|
|
|
|
323
|
# split optionals from positionals
|
|
|
|
|
324
|
optionals = []
|
|
|
|
|
325
|
positionals = []
|
|
|
|
|
326
|
for action in actions:
|
|
|
|
|
327
|
if action.option_strings:
|
|
|
|
|
328
|
optionals.append(action)
|
|
|
|
|
329
|
else:
|
|
|
|
|
330
|
positionals.append(action)
|
|
|
|
|
331
|
|
|
275
|
# determine width of "usage: PROG" and width of text
|
|
332
|
# determine width of "usage: PROG" and width of text
|
|
276
|
prefix_width = len(prefix) + len(usage) + 1
|
|
333
|
prefix_width = len(prefix) + len(usage) + 1
|
|
277
|
prefix_indent = self._current_indent + prefix_width
|
|
334
|
prefix_indent = self._current_indent + prefix_width
|
|
@@
-279,14
+336,14
b' class HelpFormatter(object):'
|
|
279
|
|
|
336
|
|
|
280
|
# put them on one line if they're short enough
|
|
337
|
# put them on one line if they're short enough
|
|
281
|
format = self._format_actions_usage
|
|
338
|
format = self._format_actions_usage
|
|
282
|
action_usage = format(optionals + positionals)
|
|
339
|
action_usage = format(optionals + positionals, groups)
|
|
283
|
if prefix_width + len(action_usage) + 1 < text_width:
|
|
340
|
if prefix_width + len(action_usage) + 1 < text_width:
|
|
284
|
usage = '%s %s' % (usage, action_usage)
|
|
341
|
usage = '%s %s' % (usage, action_usage)
|
|
285
|
|
|
342
|
|
|
286
|
# if they're long, wrap optionals and positionals individually
|
|
343
|
# if they're long, wrap optionals and positionals individually
|
|
287
|
else:
|
|
344
|
else:
|
|
288
|
optional_usage = format(optionals)
|
|
345
|
optional_usage = format(optionals, groups)
|
|
289
|
positional_usage = format(positionals)
|
|
346
|
positional_usage = format(positionals, groups)
|
|
290
|
indent = ' ' * prefix_indent
|
|
347
|
indent = ' ' * prefix_indent
|
|
291
|
|
|
348
|
|
|
292
|
# usage is made of PROG, optionals and positionals
|
|
349
|
# usage is made of PROG, optionals and positionals
|
|
@@
-314,15
+371,53
b' class HelpFormatter(object):'
|
|
314
|
# prefix with 'usage:'
|
|
371
|
# prefix with 'usage:'
|
|
315
|
return '%s%s\n\n' % (prefix, usage)
|
|
372
|
return '%s%s\n\n' % (prefix, usage)
|
|
316
|
|
|
373
|
|
|
317
|
def _format_actions_usage(self, actions):
|
|
374
|
def _format_actions_usage(self, actions, groups):
|
|
|
|
|
375
|
# find group indices and identify actions in groups
|
|
|
|
|
376
|
group_actions = _set()
|
|
|
|
|
377
|
inserts = {}
|
|
|
|
|
378
|
for group in groups:
|
|
|
|
|
379
|
try:
|
|
|
|
|
380
|
start = actions.index(group._group_actions[0])
|
|
|
|
|
381
|
except ValueError:
|
|
|
|
|
382
|
continue
|
|
|
|
|
383
|
else:
|
|
|
|
|
384
|
end = start + len(group._group_actions)
|
|
|
|
|
385
|
if actions[start:end] == group._group_actions:
|
|
|
|
|
386
|
for action in group._group_actions:
|
|
|
|
|
387
|
group_actions.add(action)
|
|
|
|
|
388
|
if not group.required:
|
|
|
|
|
389
|
inserts[start] = '['
|
|
|
|
|
390
|
inserts[end] = ']'
|
|
|
|
|
391
|
else:
|
|
|
|
|
392
|
inserts[start] = '('
|
|
|
|
|
393
|
inserts[end] = ')'
|
|
|
|
|
394
|
for i in range(start + 1, end):
|
|
|
|
|
395
|
inserts[i] = '|'
|
|
|
|
|
396
|
|
|
|
|
|
397
|
# collect all actions format strings
|
|
318
|
parts = []
|
|
398
|
parts = []
|
|
319
|
for action in actions:
|
|
399
|
for i, action in enumerate(actions):
|
|
|
|
|
400
|
|
|
|
|
|
401
|
# suppressed arguments are marked with None
|
|
|
|
|
402
|
# remove | separators for suppressed arguments
|
|
320
|
if action.help is SUPPRESS:
|
|
403
|
if action.help is SUPPRESS:
|
|
321
|
continue
|
|
404
|
parts.append(None)
|
|
|
|
|
405
|
if inserts.get(i) == '|':
|
|
|
|
|
406
|
inserts.pop(i)
|
|
|
|
|
407
|
elif inserts.get(i + 1) == '|':
|
|
|
|
|
408
|
inserts.pop(i + 1)
|
|
322
|
|
|
409
|
|
|
323
|
# produce all arg strings
|
|
410
|
# produce all arg strings
|
|
324
|
if not action.option_strings:
|
|
411
|
elif not action.option_strings:
|
|
325
|
parts.append(self._format_args(action, action.dest))
|
|
412
|
part = self._format_args(action, action.dest)
|
|
|
|
|
413
|
|
|
|
|
|
414
|
# if it's in a group, strip the outer []
|
|
|
|
|
415
|
if action in group_actions:
|
|
|
|
|
416
|
if part[0] == '[' and part[-1] == ']':
|
|
|
|
|
417
|
part = part[1:-1]
|
|
|
|
|
418
|
|
|
|
|
|
419
|
# add the action string to the list
|
|
|
|
|
420
|
parts.append(part)
|
|
326
|
|
|
421
|
|
|
327
|
# produce the first way to invoke the option in brackets
|
|
422
|
# produce the first way to invoke the option in brackets
|
|
328
|
else:
|
|
423
|
else:
|
|
@@
-340,12
+435,31
b' class HelpFormatter(object):'
|
|
340
|
args_string = self._format_args(action, default)
|
|
435
|
args_string = self._format_args(action, default)
|
|
341
|
part = '%s %s' % (option_string, args_string)
|
|
436
|
part = '%s %s' % (option_string, args_string)
|
|
342
|
|
|
437
|
|
|
343
|
# make it look optional if it's not required
|
|
438
|
# make it look optional if it's not required or in a group
|
|
344
|
if not action.required:
|
|
439
|
if not action.required and action not in group_actions:
|
|
345
|
part = '[%s]' % part
|
|
440
|
part = '[%s]' % part
|
|
|
|
|
441
|
|
|
|
|
|
442
|
# add the action string to the list
|
|
346
|
parts.append(part)
|
|
443
|
parts.append(part)
|
|
347
|
|
|
444
|
|
|
348
|
return ' '.join(parts)
|
|
445
|
# insert things at the necessary indices
|
|
|
|
|
446
|
for i in _sorted(inserts, reverse=True):
|
|
|
|
|
447
|
parts[i:i] = [inserts[i]]
|
|
|
|
|
448
|
|
|
|
|
|
449
|
# join all the action items with spaces
|
|
|
|
|
450
|
text = ' '.join([item for item in parts if item is not None])
|
|
|
|
|
451
|
|
|
|
|
|
452
|
# clean up separators for mutually exclusive groups
|
|
|
|
|
453
|
open = r'[\[(]'
|
|
|
|
|
454
|
close = r'[\])]'
|
|
|
|
|
455
|
text = _re.sub(r'(%s) ' % open, r'\1', text)
|
|
|
|
|
456
|
text = _re.sub(r' (%s)' % close, r'\1', text)
|
|
|
|
|
457
|
text = _re.sub(r'%s *%s' % (open, close), r'', text)
|
|
|
|
|
458
|
text = _re.sub(r'\(([^|]*)\)', r'\1', text)
|
|
|
|
|
459
|
text = text.strip()
|
|
|
|
|
460
|
|
|
|
|
|
461
|
# return the text
|
|
|
|
|
462
|
return text
|
|
349
|
|
|
463
|
|
|
350
|
def _format_text(self, text):
|
|
464
|
def _format_text(self, text):
|
|
351
|
text_width = self._width - self._current_indent
|
|
465
|
text_width = self._width - self._current_indent
|
|
@@
-401,7
+515,8
b' class HelpFormatter(object):'
|
|
401
|
|
|
515
|
|
|
402
|
def _format_action_invocation(self, action):
|
|
516
|
def _format_action_invocation(self, action):
|
|
403
|
if not action.option_strings:
|
|
517
|
if not action.option_strings:
|
|
404
|
return self._format_metavar(action, action.dest)
|
|
518
|
metavar, = self._metavar_formatter(action, action.dest)(1)
|
|
|
|
|
519
|
return metavar
|
|
405
|
|
|
520
|
|
|
406
|
else:
|
|
521
|
else:
|
|
407
|
parts = []
|
|
522
|
parts = []
|
|
@@
-421,41
+536,48
b' class HelpFormatter(object):'
|
|
421
|
|
|
536
|
|
|
422
|
return ', '.join(parts)
|
|
537
|
return ', '.join(parts)
|
|
423
|
|
|
538
|
|
|
424
|
def _format_metavar(self, action, default_metavar):
|
|
539
|
def _metavar_formatter(self, action, default_metavar):
|
|
425
|
if action.metavar is not None:
|
|
540
|
if action.metavar is not None:
|
|
426
|
name = action.metavar
|
|
541
|
result = action.metavar
|
|
427
|
elif action.choices is not None:
|
|
542
|
elif action.choices is not None:
|
|
428
|
choice_strs = (str(choice) for choice in action.choices)
|
|
543
|
choice_strs = [str(choice) for choice in action.choices]
|
|
429
|
name = '{%s}' % ','.join(choice_strs)
|
|
544
|
result = '{%s}' % ','.join(choice_strs)
|
|
430
|
else:
|
|
545
|
else:
|
|
431
|
name = default_metavar
|
|
546
|
result = default_metavar
|
|
432
|
return name
|
|
547
|
|
|
|
|
|
548
|
def format(tuple_size):
|
|
|
|
|
549
|
if isinstance(result, tuple):
|
|
|
|
|
550
|
return result
|
|
|
|
|
551
|
else:
|
|
|
|
|
552
|
return (result, ) * tuple_size
|
|
|
|
|
553
|
return format
|
|
433
|
|
|
554
|
|
|
434
|
def _format_args(self, action, default_metavar):
|
|
555
|
def _format_args(self, action, default_metavar):
|
|
435
|
name = self._format_metavar(action, default_metavar)
|
|
556
|
get_metavar = self._metavar_formatter(action, default_metavar)
|
|
436
|
if action.nargs is None:
|
|
557
|
if action.nargs is None:
|
|
437
|
result = name
|
|
558
|
result = '%s' % get_metavar(1)
|
|
438
|
elif action.nargs == OPTIONAL:
|
|
559
|
elif action.nargs == OPTIONAL:
|
|
439
|
result = '[%s]' % name
|
|
560
|
result = '[%s]' % get_metavar(1)
|
|
440
|
elif action.nargs == ZERO_OR_MORE:
|
|
561
|
elif action.nargs == ZERO_OR_MORE:
|
|
441
|
result = '[%s [%s ...]]' % (name, name)
|
|
562
|
result = '[%s [%s ...]]' % get_metavar(2)
|
|
442
|
elif action.nargs == ONE_OR_MORE:
|
|
563
|
elif action.nargs == ONE_OR_MORE:
|
|
443
|
result = '%s [%s ...]' % (name, name)
|
|
564
|
result = '%s [%s ...]' % get_metavar(2)
|
|
444
|
elif action.nargs is PARSER:
|
|
565
|
elif action.nargs is PARSER:
|
|
445
|
result = '%s ...' % name
|
|
566
|
result = '%s ...' % get_metavar(1)
|
|
446
|
else:
|
|
567
|
else:
|
|
447
|
result = ' '.join([name] * action.nargs)
|
|
568
|
formats = ['%s' for _ in range(action.nargs)]
|
|
|
|
|
569
|
result = ' '.join(formats) % get_metavar(action.nargs)
|
|
448
|
return result
|
|
570
|
return result
|
|
449
|
|
|
571
|
|
|
450
|
def _expand_help(self, action):
|
|
572
|
def _expand_help(self, action):
|
|
451
|
params = dict(vars(action), prog=self._prog)
|
|
573
|
params = dict(vars(action), prog=self._prog)
|
|
452
|
for name, value in params.items():
|
|
574
|
for name in list(params):
|
|
453
|
if value is SUPPRESS:
|
|
575
|
if params[name] is SUPPRESS:
|
|
454
|
del params[name]
|
|
576
|
del params[name]
|
|
455
|
if params.get('choices') is not None:
|
|
577
|
if params.get('choices') is not None:
|
|
456
|
choices_str = ', '.join(str(c) for c in params['choices'])
|
|
578
|
choices_str = ', '.join([str(c) for c in params['choices']])
|
|
457
|
params['choices'] = choices_str
|
|
579
|
params['choices'] = choices_str
|
|
458
|
return action.help % params
|
|
580
|
return self._get_help_string(action) % params
|
|
459
|
|
|
581
|
|
|
460
|
def _iter_indented_subactions(self, action):
|
|
582
|
def _iter_indented_subactions(self, action):
|
|
461
|
try:
|
|
583
|
try:
|
|
@@
-477,39
+599,75
b' class HelpFormatter(object):'
|
|
477
|
return _textwrap.fill(text, width, initial_indent=indent,
|
|
599
|
return _textwrap.fill(text, width, initial_indent=indent,
|
|
478
|
subsequent_indent=indent)
|
|
600
|
subsequent_indent=indent)
|
|
479
|
|
|
601
|
|
|
|
|
|
602
|
def _get_help_string(self, action):
|
|
|
|
|
603
|
return action.help
|
|
|
|
|
604
|
|
|
|
|
|
605
|
|
|
480
|
class RawDescriptionHelpFormatter(HelpFormatter):
|
|
606
|
class RawDescriptionHelpFormatter(HelpFormatter):
|
|
|
|
|
607
|
"""Help message formatter which retains any formatting in descriptions.
|
|
|
|
|
608
|
|
|
|
|
|
609
|
Only the name of this class is considered a public API. All the methods
|
|
|
|
|
610
|
provided by the class are considered an implementation detail.
|
|
|
|
|
611
|
"""
|
|
481
|
|
|
612
|
|
|
482
|
def _fill_text(self, text, width, indent):
|
|
613
|
def _fill_text(self, text, width, indent):
|
|
483
|
return ''.join(indent + line for line in text.splitlines(True))
|
|
614
|
return ''.join([indent + line for line in text.splitlines(True)])
|
|
|
|
|
615
|
|
|
484
|
|
|
616
|
|
|
485
|
class RawTextHelpFormatter(RawDescriptionHelpFormatter):
|
|
617
|
class RawTextHelpFormatter(RawDescriptionHelpFormatter):
|
|
|
|
|
618
|
"""Help message formatter which retains formatting of all help text.
|
|
|
|
|
619
|
|
|
|
|
|
620
|
Only the name of this class is considered a public API. All the methods
|
|
|
|
|
621
|
provided by the class are considered an implementation detail.
|
|
|
|
|
622
|
"""
|
|
486
|
|
|
623
|
|
|
487
|
def _split_lines(self, text, width):
|
|
624
|
def _split_lines(self, text, width):
|
|
488
|
return text.splitlines()
|
|
625
|
return text.splitlines()
|
|
489
|
|
|
626
|
|
|
|
|
|
627
|
|
|
|
|
|
628
|
class ArgumentDefaultsHelpFormatter(HelpFormatter):
|
|
|
|
|
629
|
"""Help message formatter which adds default values to argument help.
|
|
|
|
|
630
|
|
|
|
|
|
631
|
Only the name of this class is considered a public API. All the methods
|
|
|
|
|
632
|
provided by the class are considered an implementation detail.
|
|
|
|
|
633
|
"""
|
|
|
|
|
634
|
|
|
|
|
|
635
|
def _get_help_string(self, action):
|
|
|
|
|
636
|
help = action.help
|
|
|
|
|
637
|
if '%(default)' not in action.help:
|
|
|
|
|
638
|
if action.default is not SUPPRESS:
|
|
|
|
|
639
|
defaulting_nargs = [OPTIONAL, ZERO_OR_MORE]
|
|
|
|
|
640
|
if action.option_strings or action.nargs in defaulting_nargs:
|
|
|
|
|
641
|
help += ' (default: %(default)s)'
|
|
|
|
|
642
|
return help
|
|
|
|
|
643
|
|
|
|
|
|
644
|
|
|
490
|
# =====================
|
|
645
|
# =====================
|
|
491
|
# Options and Arguments
|
|
646
|
# Options and Arguments
|
|
492
|
# =====================
|
|
647
|
# =====================
|
|
493
|
|
|
648
|
|
|
494
|
class ArgumentError(Exception):
|
|
649
|
def _get_action_name(argument):
|
|
495
|
"""ArgumentError(message, argument)
|
|
650
|
if argument is None:
|
|
|
|
|
651
|
return None
|
|
|
|
|
652
|
elif argument.option_strings:
|
|
|
|
|
653
|
return '/'.join(argument.option_strings)
|
|
|
|
|
654
|
elif argument.metavar not in (None, SUPPRESS):
|
|
|
|
|
655
|
return argument.metavar
|
|
|
|
|
656
|
elif argument.dest not in (None, SUPPRESS):
|
|
|
|
|
657
|
return argument.dest
|
|
|
|
|
658
|
else:
|
|
|
|
|
659
|
return None
|
|
496
|
|
|
660
|
|
|
497
|
Raised whenever there was an error creating or using an argument
|
|
661
|
|
|
498
|
(optional or positional).
|
|
662
|
class ArgumentError(Exception):
|
|
|
|
|
663
|
"""An error from creating or using an argument (optional or positional).
|
|
499
|
|
|
664
|
|
|
500
|
The string value of this exception is the message, augmented with
|
|
665
|
The string value of this exception is the message, augmented with
|
|
501
|
information about the argument that caused it.
|
|
666
|
information about the argument that caused it.
|
|
502
|
"""
|
|
667
|
"""
|
|
503
|
|
|
668
|
|
|
504
|
def __init__(self, argument, message):
|
|
669
|
def __init__(self, argument, message):
|
|
505
|
if argument.option_strings:
|
|
670
|
self.argument_name = _get_action_name(argument)
|
|
506
|
self.argument_name = '/'.join(argument.option_strings)
|
|
|
|
|
507
|
elif argument.metavar not in (None, SUPPRESS):
|
|
|
|
|
508
|
self.argument_name = argument.metavar
|
|
|
|
|
509
|
elif argument.dest not in (None, SUPPRESS):
|
|
|
|
|
510
|
self.argument_name = argument.dest
|
|
|
|
|
511
|
else:
|
|
|
|
|
512
|
self.argument_name = None
|
|
|
|
|
513
|
self.message = message
|
|
671
|
self.message = message
|
|
514
|
|
|
672
|
|
|
515
|
def __str__(self):
|
|
673
|
def __str__(self):
|
|
@@
-525,55
+683,56
b' class ArgumentError(Exception):'
|
|
525
|
# ==============
|
|
683
|
# ==============
|
|
526
|
|
|
684
|
|
|
527
|
class Action(_AttributeHolder):
|
|
685
|
class Action(_AttributeHolder):
|
|
528
|
"""Action(*strings, **options)
|
|
686
|
"""Information about how to convert command line strings to Python objects.
|
|
529
|
|
|
687
|
|
|
530
|
Action objects hold the information necessary to convert a
|
|
688
|
Action objects are used by an ArgumentParser to represent the information
|
|
531
|
set of command-line arguments (possibly including an initial option
|
|
689
|
needed to parse a single argument from one or more strings from the
|
|
532
|
string) into the desired Python object(s).
|
|
690
|
command line. The keyword arguments to the Action constructor are also
|
|
|
|
|
691
|
all attributes of Action instances.
|
|
533
|
|
|
692
|
|
|
534
|
Keyword Arguments:
|
|
693
|
Keyword Arguments:
|
|
535
|
|
|
694
|
|
|
536
|
option_strings -- A list of command-line option strings which
|
|
695
|
- option_strings -- A list of command-line option strings which
|
|
537
|
should be associated with this action.
|
|
696
|
should be associated with this action.
|
|
538
|
|
|
697
|
|
|
539
|
dest -- The name of the attribute to hold the created object(s)
|
|
698
|
- dest -- The name of the attribute to hold the created object(s)
|
|
540
|
|
|
699
|
|
|
541
|
nargs -- The number of command-line arguments that should be consumed.
|
|
700
|
- nargs -- The number of command-line arguments that should be
|
|
542
|
By default, one argument will be consumed and a single value will
|
|
701
|
consumed. By default, one argument will be consumed and a single
|
|
543
|
be produced. Other values include:
|
|
702
|
value will be produced. Other values include:
|
|
544
|
* N (an integer) consumes N arguments (and produces a list)
|
|
703
|
- N (an integer) consumes N arguments (and produces a list)
|
|
545
|
* '?' consumes zero or one arguments
|
|
704
|
- '?' consumes zero or one arguments
|
|
546
|
* '*' consumes zero or more arguments (and produces a list)
|
|
705
|
- '*' consumes zero or more arguments (and produces a list)
|
|
547
|
* '+' consumes one or more arguments (and produces a list)
|
|
706
|
- '+' consumes one or more arguments (and produces a list)
|
|
548
|
Note that the difference between the default and nargs=1 is that
|
|
707
|
Note that the difference between the default and nargs=1 is that
|
|
549
|
with the default, a single value will be produced, while with
|
|
708
|
with the default, a single value will be produced, while with
|
|
550
|
nargs=1, a list containing a single value will be produced.
|
|
709
|
nargs=1, a list containing a single value will be produced.
|
|
551
|
|
|
710
|
|
|
552
|
const -- The value to be produced if the option is specified and the
|
|
711
|
- const -- The value to be produced if the option is specified and the
|
|
553
|
option uses an action that takes no values.
|
|
712
|
option uses an action that takes no values.
|
|
554
|
|
|
713
|
|
|
555
|
default -- The value to be produced if the option is not specified.
|
|
714
|
- default -- The value to be produced if the option is not specified.
|
|
556
|
|
|
715
|
|
|
557
|
type -- The type which the command-line arguments should be converted
|
|
716
|
- type -- The type which the command-line arguments should be converted
|
|
558
|
to, should be one of 'string', 'int', 'float', 'complex' or a
|
|
717
|
to, should be one of 'string', 'int', 'float', 'complex' or a
|
|
559
|
callable object that accepts a single string argument. If None,
|
|
718
|
callable object that accepts a single string argument. If None,
|
|
560
|
'string' is assumed.
|
|
719
|
'string' is assumed.
|
|
561
|
|
|
720
|
|
|
562
|
choices -- A container of values that should be allowed. If not None,
|
|
721
|
- choices -- A container of values that should be allowed. If not None,
|
|
563
|
after a command-line argument has been converted to the appropriate
|
|
722
|
after a command-line argument has been converted to the appropriate
|
|
564
|
type, an exception will be raised if it is not a member of this
|
|
723
|
type, an exception will be raised if it is not a member of this
|
|
565
|
collection.
|
|
724
|
collection.
|
|
566
|
|
|
725
|
|
|
567
|
required -- True if the action must always be specified at the command
|
|
726
|
- required -- True if the action must always be specified at the
|
|
568
|
line. This is only meaningful for optional command-line arguments.
|
|
727
|
command line. This is only meaningful for optional command-line
|
|
|
|
|
728
|
arguments.
|
|
569
|
|
|
729
|
|
|
570
|
help -- The help string describing the argument.
|
|
730
|
- help -- The help string describing the argument.
|
|
571
|
|
|
731
|
|
|
572
|
metavar -- The name to be used for the option's argument with the help
|
|
732
|
- metavar -- The name to be used for the option's argument with the
|
|
573
|
string. If None, the 'dest' value will be used as the name.
|
|
733
|
help string. If None, the 'dest' value will be used as the name.
|
|
574
|
"""
|
|
734
|
"""
|
|
575
|
|
|
735
|
|
|
576
|
|
|
|
|
|
577
|
def __init__(self,
|
|
736
|
def __init__(self,
|
|
578
|
option_strings,
|
|
737
|
option_strings,
|
|
579
|
dest,
|
|
738
|
dest,
|
|
@@
-606,14
+765,16
b' class Action(_AttributeHolder):'
|
|
606
|
'type',
|
|
765
|
'type',
|
|
607
|
'choices',
|
|
766
|
'choices',
|
|
608
|
'help',
|
|
767
|
'help',
|
|
609
|
'metavar'
|
|
768
|
'metavar',
|
|
610
|
]
|
|
769
|
]
|
|
611
|
return [(name, getattr(self, name)) for name in names]
|
|
770
|
return [(name, getattr(self, name)) for name in names]
|
|
612
|
|
|
771
|
|
|
613
|
def __call__(self, parser, namespace, values, option_string=None):
|
|
772
|
def __call__(self, parser, namespace, values, option_string=None):
|
|
614
|
raise NotImplementedError(_('.__call__() not defined'))
|
|
773
|
raise NotImplementedError(_('.__call__() not defined'))
|
|
615
|
|
|
774
|
|
|
|
|
|
775
|
|
|
616
|
class _StoreAction(Action):
|
|
776
|
class _StoreAction(Action):
|
|
|
|
|
777
|
|
|
617
|
def __init__(self,
|
|
778
|
def __init__(self,
|
|
618
|
option_strings,
|
|
779
|
option_strings,
|
|
619
|
dest,
|
|
780
|
dest,
|
|
@@
-644,7
+805,9
b' class _StoreAction(Action):'
|
|
644
|
def __call__(self, parser, namespace, values, option_string=None):
|
|
805
|
def __call__(self, parser, namespace, values, option_string=None):
|
|
645
|
setattr(namespace, self.dest, values)
|
|
806
|
setattr(namespace, self.dest, values)
|
|
646
|
|
|
807
|
|
|
|
|
|
808
|
|
|
647
|
class _StoreConstAction(Action):
|
|
809
|
class _StoreConstAction(Action):
|
|
|
|
|
810
|
|
|
648
|
def __init__(self,
|
|
811
|
def __init__(self,
|
|
649
|
option_strings,
|
|
812
|
option_strings,
|
|
650
|
dest,
|
|
813
|
dest,
|
|
@@
-665,7
+828,9
b' class _StoreConstAction(Action):'
|
|
665
|
def __call__(self, parser, namespace, values, option_string=None):
|
|
828
|
def __call__(self, parser, namespace, values, option_string=None):
|
|
666
|
setattr(namespace, self.dest, self.const)
|
|
829
|
setattr(namespace, self.dest, self.const)
|
|
667
|
|
|
830
|
|
|
|
|
|
831
|
|
|
668
|
class _StoreTrueAction(_StoreConstAction):
|
|
832
|
class _StoreTrueAction(_StoreConstAction):
|
|
|
|
|
833
|
|
|
669
|
def __init__(self,
|
|
834
|
def __init__(self,
|
|
670
|
option_strings,
|
|
835
|
option_strings,
|
|
671
|
dest,
|
|
836
|
dest,
|
|
@@
-680,7
+845,9
b' class _StoreTrueAction(_StoreConstAction):'
|
|
680
|
required=required,
|
|
845
|
required=required,
|
|
681
|
help=help)
|
|
846
|
help=help)
|
|
682
|
|
|
847
|
|
|
|
|
|
848
|
|
|
683
|
class _StoreFalseAction(_StoreConstAction):
|
|
849
|
class _StoreFalseAction(_StoreConstAction):
|
|
|
|
|
850
|
|
|
684
|
def __init__(self,
|
|
851
|
def __init__(self,
|
|
685
|
option_strings,
|
|
852
|
option_strings,
|
|
686
|
dest,
|
|
853
|
dest,
|
|
@@
-695,7
+862,9
b' class _StoreFalseAction(_StoreConstAction):'
|
|
695
|
required=required,
|
|
862
|
required=required,
|
|
696
|
help=help)
|
|
863
|
help=help)
|
|
697
|
|
|
864
|
|
|
|
|
|
865
|
|
|
698
|
class _AppendAction(Action):
|
|
866
|
class _AppendAction(Action):
|
|
|
|
|
867
|
|
|
699
|
def __init__(self,
|
|
868
|
def __init__(self,
|
|
700
|
option_strings,
|
|
869
|
option_strings,
|
|
701
|
dest,
|
|
870
|
dest,
|
|
@@
-724,9
+893,13
b' class _AppendAction(Action):'
|
|
724
|
metavar=metavar)
|
|
893
|
metavar=metavar)
|
|
725
|
|
|
894
|
|
|
726
|
def __call__(self, parser, namespace, values, option_string=None):
|
|
895
|
def __call__(self, parser, namespace, values, option_string=None):
|
|
727
|
_ensure_value(namespace, self.dest, []).append(values)
|
|
896
|
items = _copy.copy(_ensure_value(namespace, self.dest, []))
|
|
|
|
|
897
|
items.append(values)
|
|
|
|
|
898
|
setattr(namespace, self.dest, items)
|
|
|
|
|
899
|
|
|
728
|
|
|
900
|
|
|
729
|
class _AppendConstAction(Action):
|
|
901
|
class _AppendConstAction(Action):
|
|
|
|
|
902
|
|
|
730
|
def __init__(self,
|
|
903
|
def __init__(self,
|
|
731
|
option_strings,
|
|
904
|
option_strings,
|
|
732
|
dest,
|
|
905
|
dest,
|
|
@@
-746,9
+919,13
b' class _AppendConstAction(Action):'
|
|
746
|
metavar=metavar)
|
|
919
|
metavar=metavar)
|
|
747
|
|
|
920
|
|
|
748
|
def __call__(self, parser, namespace, values, option_string=None):
|
|
921
|
def __call__(self, parser, namespace, values, option_string=None):
|
|
749
|
_ensure_value(namespace, self.dest, []).append(self.const)
|
|
922
|
items = _copy.copy(_ensure_value(namespace, self.dest, []))
|
|
|
|
|
923
|
items.append(self.const)
|
|
|
|
|
924
|
setattr(namespace, self.dest, items)
|
|
|
|
|
925
|
|
|
750
|
|
|
926
|
|
|
751
|
class _CountAction(Action):
|
|
927
|
class _CountAction(Action):
|
|
|
|
|
928
|
|
|
752
|
def __init__(self,
|
|
929
|
def __init__(self,
|
|
753
|
option_strings,
|
|
930
|
option_strings,
|
|
754
|
dest,
|
|
931
|
dest,
|
|
@@
-767,7
+944,9
b' class _CountAction(Action):'
|
|
767
|
new_count = _ensure_value(namespace, self.dest, 0) + 1
|
|
944
|
new_count = _ensure_value(namespace, self.dest, 0) + 1
|
|
768
|
setattr(namespace, self.dest, new_count)
|
|
945
|
setattr(namespace, self.dest, new_count)
|
|
769
|
|
|
946
|
|
|
|
|
|
947
|
|
|
770
|
class _HelpAction(Action):
|
|
948
|
class _HelpAction(Action):
|
|
|
|
|
949
|
|
|
771
|
def __init__(self,
|
|
950
|
def __init__(self,
|
|
772
|
option_strings,
|
|
951
|
option_strings,
|
|
773
|
dest=SUPPRESS,
|
|
952
|
dest=SUPPRESS,
|
|
@@
-784,7
+963,9
b' class _HelpAction(Action):'
|
|
784
|
parser.print_help()
|
|
963
|
parser.print_help()
|
|
785
|
parser.exit()
|
|
964
|
parser.exit()
|
|
786
|
|
|
965
|
|
|
|
|
|
966
|
|
|
787
|
class _VersionAction(Action):
|
|
967
|
class _VersionAction(Action):
|
|
|
|
|
968
|
|
|
788
|
def __init__(self,
|
|
969
|
def __init__(self,
|
|
789
|
option_strings,
|
|
970
|
option_strings,
|
|
790
|
dest=SUPPRESS,
|
|
971
|
dest=SUPPRESS,
|
|
@@
-801,14
+982,15
b' class _VersionAction(Action):'
|
|
801
|
parser.print_version()
|
|
982
|
parser.print_version()
|
|
802
|
parser.exit()
|
|
983
|
parser.exit()
|
|
803
|
|
|
984
|
|
|
|
|
|
985
|
|
|
804
|
class _SubParsersAction(Action):
|
|
986
|
class _SubParsersAction(Action):
|
|
805
|
|
|
987
|
|
|
806
|
class _ChoicesPseudoAction(Action):
|
|
988
|
class _ChoicesPseudoAction(Action):
|
|
|
|
|
989
|
|
|
807
|
def __init__(self, name, help):
|
|
990
|
def __init__(self, name, help):
|
|
808
|
sup = super(_SubParsersAction._ChoicesPseudoAction, self)
|
|
991
|
sup = super(_SubParsersAction._ChoicesPseudoAction, self)
|
|
809
|
sup.__init__(option_strings=[], dest=name, help=help)
|
|
992
|
sup.__init__(option_strings=[], dest=name, help=help)
|
|
810
|
|
|
993
|
|
|
811
|
|
|
|
|
|
812
|
def __init__(self,
|
|
994
|
def __init__(self,
|
|
813
|
option_strings,
|
|
995
|
option_strings,
|
|
814
|
prog,
|
|
996
|
prog,
|
|
@@
-880,11
+1062,12
b' class FileType(object):'
|
|
880
|
ArgumentParser add_argument() method.
|
|
1062
|
ArgumentParser add_argument() method.
|
|
881
|
|
|
1063
|
|
|
882
|
Keyword Arguments:
|
|
1064
|
Keyword Arguments:
|
|
883
|
mode -- A string indicating how the file is to be opened. Accepts the
|
|
1065
|
- mode -- A string indicating how the file is to be opened. Accepts the
|
|
884
|
same values as the builtin open() function.
|
|
1066
|
same values as the builtin open() function.
|
|
885
|
bufsize -- The file's desired buffer size. Accepts the same values as
|
|
1067
|
- bufsize -- The file's desired buffer size. Accepts the same values as
|
|
886
|
the builtin open() function.
|
|
1068
|
the builtin open() function.
|
|
887
|
"""
|
|
1069
|
"""
|
|
|
|
|
1070
|
|
|
888
|
def __init__(self, mode='r', bufsize=None):
|
|
1071
|
def __init__(self, mode='r', bufsize=None):
|
|
889
|
self._mode = mode
|
|
1072
|
self._mode = mode
|
|
890
|
self._bufsize = bufsize
|
|
1073
|
self._bufsize = bufsize
|
|
@@
-892,9
+1075,9
b' class FileType(object):'
|
|
892
|
def __call__(self, string):
|
|
1075
|
def __call__(self, string):
|
|
893
|
# the special argument "-" means sys.std{in,out}
|
|
1076
|
# the special argument "-" means sys.std{in,out}
|
|
894
|
if string == '-':
|
|
1077
|
if string == '-':
|
|
895
|
if self._mode == 'r':
|
|
1078
|
if 'r' in self._mode:
|
|
896
|
return _sys.stdin
|
|
1079
|
return _sys.stdin
|
|
897
|
elif self._mode == 'w':
|
|
1080
|
elif 'w' in self._mode:
|
|
898
|
return _sys.stdout
|
|
1081
|
return _sys.stdout
|
|
899
|
else:
|
|
1082
|
else:
|
|
900
|
msg = _('argument "-" with mode %r' % self._mode)
|
|
1083
|
msg = _('argument "-" with mode %r' % self._mode)
|
|
@@
-906,16
+1089,25
b' class FileType(object):'
|
|
906
|
else:
|
|
1089
|
else:
|
|
907
|
return open(string, self._mode)
|
|
1090
|
return open(string, self._mode)
|
|
908
|
|
|
1091
|
|
|
|
|
|
1092
|
def __repr__(self):
|
|
|
|
|
1093
|
args = [self._mode, self._bufsize]
|
|
|
|
|
1094
|
args_str = ', '.join([repr(arg) for arg in args if arg is not None])
|
|
|
|
|
1095
|
return '%s(%s)' % (type(self).__name__, args_str)
|
|
909
|
|
|
1096
|
|
|
910
|
# ===========================
|
|
1097
|
# ===========================
|
|
911
|
# Optional and Positional Parsing
|
|
1098
|
# Optional and Positional Parsing
|
|
912
|
# ===========================
|
|
1099
|
# ===========================
|
|
913
|
|
|
1100
|
|
|
914
|
class Namespace(_AttributeHolder):
|
|
1101
|
class Namespace(_AttributeHolder):
|
|
|
|
|
1102
|
"""Simple object for storing attributes.
|
|
|
|
|
1103
|
|
|
|
|
|
1104
|
Implements equality by attribute names and values, and provides a simple
|
|
|
|
|
1105
|
string representation.
|
|
|
|
|
1106
|
"""
|
|
915
|
|
|
1107
|
|
|
916
|
def __init__(self, **kwargs):
|
|
1108
|
def __init__(self, **kwargs):
|
|
917
|
for name, value in kwargs.iteritems():
|
|
1109
|
for name in kwargs:
|
|
918
|
setattr(self, name, value)
|
|
1110
|
setattr(self, name, kwargs[name])
|
|
919
|
|
|
1111
|
|
|
920
|
def __eq__(self, other):
|
|
1112
|
def __eq__(self, other):
|
|
921
|
return vars(self) == vars(other)
|
|
1113
|
return vars(self) == vars(other)
|
|
@@
-925,6
+1117,7
b' class Namespace(_AttributeHolder):'
|
|
925
|
|
|
1117
|
|
|
926
|
|
|
1118
|
|
|
927
|
class _ActionsContainer(object):
|
|
1119
|
class _ActionsContainer(object):
|
|
|
|
|
1120
|
|
|
928
|
def __init__(self,
|
|
1121
|
def __init__(self,
|
|
929
|
description,
|
|
1122
|
description,
|
|
930
|
prefix_chars,
|
|
1123
|
prefix_chars,
|
|
@@
-957,18
+1150,26
b' class _ActionsContainer(object):'
|
|
957
|
self._get_handler()
|
|
1150
|
self._get_handler()
|
|
958
|
|
|
1151
|
|
|
959
|
# action storage
|
|
1152
|
# action storage
|
|
960
|
self._optional_actions_list = []
|
|
1153
|
self._actions = []
|
|
961
|
self._positional_actions_list = []
|
|
1154
|
self._option_string_actions = {}
|
|
962
|
self._positional_actions_full_list = []
|
|
1155
|
|
|
963
|
self._option_strings = {}
|
|
1156
|
# groups
|
|
|
|
|
1157
|
self._action_groups = []
|
|
|
|
|
1158
|
self._mutually_exclusive_groups = []
|
|
964
|
|
|
1159
|
|
|
965
|
# defaults storage
|
|
1160
|
# defaults storage
|
|
966
|
self._defaults = {}
|
|
1161
|
self._defaults = {}
|
|
967
|
|
|
1162
|
|
|
|
|
|
1163
|
# determines whether an "option" looks like a negative number
|
|
|
|
|
1164
|
self._negative_number_matcher = _re.compile(r'^-\d+|-\d*.\d+$')
|
|
|
|
|
1165
|
|
|
|
|
|
1166
|
# whether or not there are any optionals that look like negative
|
|
|
|
|
1167
|
# numbers -- uses a list so it can be shared and edited
|
|
|
|
|
1168
|
self._has_negative_number_optionals = []
|
|
|
|
|
1169
|
|
|
968
|
# ====================
|
|
1170
|
# ====================
|
|
969
|
# Registration methods
|
|
1171
|
# Registration methods
|
|
970
|
# ====================
|
|
1172
|
# ====================
|
|
971
|
|
|
|
|
|
972
|
def register(self, registry_name, value, object):
|
|
1173
|
def register(self, registry_name, value, object):
|
|
973
|
registry = self._registries.setdefault(registry_name, {})
|
|
1174
|
registry = self._registries.setdefault(registry_name, {})
|
|
974
|
registry[value] = object
|
|
1175
|
registry[value] = object
|
|
@@
-979,22
+1180,18
b' class _ActionsContainer(object):'
|
|
979
|
# ==================================
|
|
1180
|
# ==================================
|
|
980
|
# Namespace default settings methods
|
|
1181
|
# Namespace default settings methods
|
|
981
|
# ==================================
|
|
1182
|
# ==================================
|
|
982
|
|
|
|
|
|
983
|
def set_defaults(self, **kwargs):
|
|
1183
|
def set_defaults(self, **kwargs):
|
|
984
|
self._defaults.update(kwargs)
|
|
1184
|
self._defaults.update(kwargs)
|
|
985
|
|
|
1185
|
|
|
986
|
# if these defaults match any existing arguments, replace
|
|
1186
|
# if these defaults match any existing arguments, replace
|
|
987
|
# the previous default on the object with the new one
|
|
1187
|
# the previous default on the object with the new one
|
|
988
|
for action_list in [self._option_strings.values(),
|
|
1188
|
for action in self._actions:
|
|
989
|
self._positional_actions_full_list]:
|
|
|
|
|
990
|
for action in action_list:
|
|
|
|
|
991
|
if action.dest in kwargs:
|
|
1189
|
if action.dest in kwargs:
|
|
992
|
action.default = kwargs[action.dest]
|
|
1190
|
action.default = kwargs[action.dest]
|
|
993
|
|
|
1191
|
|
|
994
|
# =======================
|
|
1192
|
# =======================
|
|
995
|
# Adding argument actions
|
|
1193
|
# Adding argument actions
|
|
996
|
# =======================
|
|
1194
|
# =======================
|
|
997
|
|
|
|
|
|
998
|
def add_argument(self, *args, **kwargs):
|
|
1195
|
def add_argument(self, *args, **kwargs):
|
|
999
|
"""
|
|
1196
|
"""
|
|
1000
|
add_argument(dest, ..., name=value, ...)
|
|
1197
|
add_argument(dest, ..., name=value, ...)
|
|
@@
-1025,30
+1222,68
b' class _ActionsContainer(object):'
|
|
1025
|
action = action_class(**kwargs)
|
|
1222
|
action = action_class(**kwargs)
|
|
1026
|
return self._add_action(action)
|
|
1223
|
return self._add_action(action)
|
|
1027
|
|
|
1224
|
|
|
|
|
|
1225
|
def add_argument_group(self, *args, **kwargs):
|
|
|
|
|
1226
|
group = _ArgumentGroup(self, *args, **kwargs)
|
|
|
|
|
1227
|
self._action_groups.append(group)
|
|
|
|
|
1228
|
return group
|
|
|
|
|
1229
|
|
|
|
|
|
1230
|
def add_mutually_exclusive_group(self, **kwargs):
|
|
|
|
|
1231
|
group = _MutuallyExclusiveGroup(self, **kwargs)
|
|
|
|
|
1232
|
self._mutually_exclusive_groups.append(group)
|
|
|
|
|
1233
|
return group
|
|
|
|
|
1234
|
|
|
1028
|
def _add_action(self, action):
|
|
1235
|
def _add_action(self, action):
|
|
1029
|
# resolve any conflicts
|
|
1236
|
# resolve any conflicts
|
|
1030
|
self._check_conflict(action)
|
|
1237
|
self._check_conflict(action)
|
|
1031
|
|
|
1238
|
|
|
1032
|
# add to optional or positional list
|
|
1239
|
# add to actions list
|
|
1033
|
if action.option_strings:
|
|
1240
|
self._actions.append(action)
|
|
1034
|
self._optional_actions_list.append(action)
|
|
|
|
|
1035
|
else:
|
|
|
|
|
1036
|
self._positional_actions_list.append(action)
|
|
|
|
|
1037
|
self._positional_actions_full_list.append(action)
|
|
|
|
|
1038
|
action.container = self
|
|
1241
|
action.container = self
|
|
1039
|
|
|
1242
|
|
|
1040
|
# index the action by any option strings it has
|
|
1243
|
# index the action by any option strings it has
|
|
1041
|
for option_string in action.option_strings:
|
|
1244
|
for option_string in action.option_strings:
|
|
1042
|
self._option_strings[option_string] = action
|
|
1245
|
self._option_string_actions[option_string] = action
|
|
|
|
|
1246
|
|
|
|
|
|
1247
|
# set the flag if any option strings look like negative numbers
|
|
|
|
|
1248
|
for option_string in action.option_strings:
|
|
|
|
|
1249
|
if self._negative_number_matcher.match(option_string):
|
|
|
|
|
1250
|
if not self._has_negative_number_optionals:
|
|
|
|
|
1251
|
self._has_negative_number_optionals.append(True)
|
|
1043
|
|
|
1252
|
|
|
1044
|
# return the created action
|
|
1253
|
# return the created action
|
|
1045
|
return action
|
|
1254
|
return action
|
|
1046
|
|
|
1255
|
|
|
|
|
|
1256
|
def _remove_action(self, action):
|
|
|
|
|
1257
|
self._actions.remove(action)
|
|
|
|
|
1258
|
|
|
1047
|
def _add_container_actions(self, container):
|
|
1259
|
def _add_container_actions(self, container):
|
|
1048
|
for action in container._optional_actions_list:
|
|
1260
|
# collect groups by titles
|
|
1049
|
self._add_action(action)
|
|
1261
|
title_group_map = {}
|
|
1050
|
for action in container._positional_actions_list:
|
|
1262
|
for group in self._action_groups:
|
|
1051
|
self._add_action(action)
|
|
1263
|
if group.title in title_group_map:
|
|
|
|
|
1264
|
msg = _('cannot merge actions - two groups are named %r')
|
|
|
|
|
1265
|
raise ValueError(msg % (group.title))
|
|
|
|
|
1266
|
title_group_map[group.title] = group
|
|
|
|
|
1267
|
|
|
|
|
|
1268
|
# map each action to its group
|
|
|
|
|
1269
|
group_map = {}
|
|
|
|
|
1270
|
for group in container._action_groups:
|
|
|
|
|
1271
|
|
|
|
|
|
1272
|
# if a group with the title exists, use that, otherwise
|
|
|
|
|
1273
|
# create a new group matching the container's group
|
|
|
|
|
1274
|
if group.title not in title_group_map:
|
|
|
|
|
1275
|
title_group_map[group.title] = self.add_argument_group(
|
|
|
|
|
1276
|
title=group.title,
|
|
|
|
|
1277
|
description=group.description,
|
|
|
|
|
1278
|
conflict_handler=group.conflict_handler)
|
|
|
|
|
1279
|
|
|
|
|
|
1280
|
# map the actions to their new group
|
|
|
|
|
1281
|
for action in group._group_actions:
|
|
|
|
|
1282
|
group_map[action] = title_group_map[group.title]
|
|
|
|
|
1283
|
|
|
|
|
|
1284
|
# add all actions to this container or their group
|
|
|
|
|
1285
|
for action in container._actions:
|
|
|
|
|
1286
|
group_map.get(action, self)._add_action(action)
|
|
1052
|
|
|
1287
|
|
|
1053
|
def _get_positional_kwargs(self, dest, **kwargs):
|
|
1288
|
def _get_positional_kwargs(self, dest, **kwargs):
|
|
1054
|
# make sure required is not specified
|
|
1289
|
# make sure required is not specified
|
|
@@
-1056,6
+1291,13
b' class _ActionsContainer(object):'
|
|
1056
|
msg = _("'required' is an invalid argument for positionals")
|
|
1291
|
msg = _("'required' is an invalid argument for positionals")
|
|
1057
|
raise TypeError(msg)
|
|
1292
|
raise TypeError(msg)
|
|
1058
|
|
|
1293
|
|
|
|
|
|
1294
|
# mark positional arguments as required if at least one is
|
|
|
|
|
1295
|
# always required
|
|
|
|
|
1296
|
if kwargs.get('nargs') not in [OPTIONAL, ZERO_OR_MORE]:
|
|
|
|
|
1297
|
kwargs['required'] = True
|
|
|
|
|
1298
|
if kwargs.get('nargs') == ZERO_OR_MORE and 'default' not in kwargs:
|
|
|
|
|
1299
|
kwargs['required'] = True
|
|
|
|
|
1300
|
|
|
1059
|
# return the keyword arguments with no option strings
|
|
1301
|
# return the keyword arguments with no option strings
|
|
1060
|
return dict(kwargs, dest=dest, option_strings=[])
|
|
1302
|
return dict(kwargs, dest=dest, option_strings=[])
|
|
1061
|
|
|
1303
|
|
|
@@
-1078,7
+1320,7
b' class _ActionsContainer(object):'
|
|
1078
|
raise ValueError(msg % tup)
|
|
1320
|
raise ValueError(msg % tup)
|
|
1079
|
|
|
1321
|
|
|
1080
|
# error on strings that are all prefix characters
|
|
1322
|
# error on strings that are all prefix characters
|
|
1081
|
if not (set(option_string) - set(self.prefix_chars)):
|
|
1323
|
if not (_set(option_string) - _set(self.prefix_chars)):
|
|
1082
|
msg = _('invalid option string %r: '
|
|
1324
|
msg = _('invalid option string %r: '
|
|
1083
|
'must contain characters other than %r')
|
|
1325
|
'must contain characters other than %r')
|
|
1084
|
tup = option_string, self.prefix_chars
|
|
1326
|
tup = option_string, self.prefix_chars
|
|
@@
-1121,8
+1363,8
b' class _ActionsContainer(object):'
|
|
1121
|
# find all options that conflict with this option
|
|
1363
|
# find all options that conflict with this option
|
|
1122
|
confl_optionals = []
|
|
1364
|
confl_optionals = []
|
|
1123
|
for option_string in action.option_strings:
|
|
1365
|
for option_string in action.option_strings:
|
|
1124
|
if option_string in self._option_strings:
|
|
1366
|
if option_string in self._option_string_actions:
|
|
1125
|
confl_optional = self._option_strings[option_string]
|
|
1367
|
confl_optional = self._option_string_actions[option_string]
|
|
1126
|
confl_optionals.append((option_string, confl_optional))
|
|
1368
|
confl_optionals.append((option_string, confl_optional))
|
|
1127
|
|
|
1369
|
|
|
1128
|
# resolve any conflicts
|
|
1370
|
# resolve any conflicts
|
|
@@
-1132,9
+1374,9
b' class _ActionsContainer(object):'
|
|
1132
|
|
|
1374
|
|
|
1133
|
def _handle_conflict_error(self, action, conflicting_actions):
|
|
1375
|
def _handle_conflict_error(self, action, conflicting_actions):
|
|
1134
|
message = _('conflicting option string(s): %s')
|
|
1376
|
message = _('conflicting option string(s): %s')
|
|
1135
|
conflict_string = ', '.join(option_string
|
|
1377
|
conflict_string = ', '.join([option_string
|
|
1136
|
for option_string, action
|
|
1378
|
for option_string, action
|
|
1137
|
in conflicting_actions)
|
|
1379
|
in conflicting_actions])
|
|
1138
|
raise ArgumentError(action, message % conflict_string)
|
|
1380
|
raise ArgumentError(action, message % conflict_string)
|
|
1139
|
|
|
1381
|
|
|
1140
|
def _handle_conflict_resolve(self, action, conflicting_actions):
|
|
1382
|
def _handle_conflict_resolve(self, action, conflicting_actions):
|
|
@@
-1144,12
+1386,12
b' class _ActionsContainer(object):'
|
|
1144
|
|
|
1386
|
|
|
1145
|
# remove the conflicting option
|
|
1387
|
# remove the conflicting option
|
|
1146
|
action.option_strings.remove(option_string)
|
|
1388
|
action.option_strings.remove(option_string)
|
|
1147
|
self._option_strings.pop(option_string, None)
|
|
1389
|
self._option_string_actions.pop(option_string, None)
|
|
1148
|
|
|
1390
|
|
|
1149
|
# if the option now has no option string, remove it from the
|
|
1391
|
# if the option now has no option string, remove it from the
|
|
1150
|
# container holding it
|
|
1392
|
# container holding it
|
|
1151
|
if not action.option_strings:
|
|
1393
|
if not action.option_strings:
|
|
1152
|
action.container._optional_actions_list.remove(action)
|
|
1394
|
action.container._remove_action(action)
|
|
1153
|
|
|
1395
|
|
|
1154
|
|
|
1396
|
|
|
1155
|
class _ArgumentGroup(_ActionsContainer):
|
|
1397
|
class _ArgumentGroup(_ActionsContainer):
|
|
@@
-1163,14
+1405,66
b' class _ArgumentGroup(_ActionsContainer):'
|
|
1163
|
super_init = super(_ArgumentGroup, self).__init__
|
|
1405
|
super_init = super(_ArgumentGroup, self).__init__
|
|
1164
|
super_init(description=description, **kwargs)
|
|
1406
|
super_init(description=description, **kwargs)
|
|
1165
|
|
|
1407
|
|
|
|
|
|
1408
|
# group attributes
|
|
1166
|
self.title = title
|
|
1409
|
self.title = title
|
|
|
|
|
1410
|
self._group_actions = []
|
|
|
|
|
1411
|
|
|
|
|
|
1412
|
# share most attributes with the container
|
|
1167
|
self._registries = container._registries
|
|
1413
|
self._registries = container._registries
|
|
1168
|
self._positional_actions_full_list = container._positional_actions_full_list
|
|
1414
|
self._actions = container._actions
|
|
1169
|
self._option_strings = container._option_strings
|
|
1415
|
self._option_string_actions = container._option_string_actions
|
|
1170
|
self._defaults = container._defaults
|
|
1416
|
self._defaults = container._defaults
|
|
|
|
|
1417
|
self._has_negative_number_optionals = \
|
|
|
|
|
1418
|
container._has_negative_number_optionals
|
|
|
|
|
1419
|
|
|
|
|
|
1420
|
def _add_action(self, action):
|
|
|
|
|
1421
|
action = super(_ArgumentGroup, self)._add_action(action)
|
|
|
|
|
1422
|
self._group_actions.append(action)
|
|
|
|
|
1423
|
return action
|
|
|
|
|
1424
|
|
|
|
|
|
1425
|
def _remove_action(self, action):
|
|
|
|
|
1426
|
super(_ArgumentGroup, self)._remove_action(action)
|
|
|
|
|
1427
|
self._group_actions.remove(action)
|
|
|
|
|
1428
|
|
|
|
|
|
1429
|
|
|
|
|
|
1430
|
class _MutuallyExclusiveGroup(_ArgumentGroup):
|
|
|
|
|
1431
|
|
|
|
|
|
1432
|
def __init__(self, container, required=False):
|
|
|
|
|
1433
|
super(_MutuallyExclusiveGroup, self).__init__(container)
|
|
|
|
|
1434
|
self.required = required
|
|
|
|
|
1435
|
self._container = container
|
|
|
|
|
1436
|
|
|
|
|
|
1437
|
def _add_action(self, action):
|
|
|
|
|
1438
|
if action.required:
|
|
|
|
|
1439
|
msg = _('mutually exclusive arguments must be optional')
|
|
|
|
|
1440
|
raise ValueError(msg)
|
|
|
|
|
1441
|
action = self._container._add_action(action)
|
|
|
|
|
1442
|
self._group_actions.append(action)
|
|
|
|
|
1443
|
return action
|
|
|
|
|
1444
|
|
|
|
|
|
1445
|
def _remove_action(self, action):
|
|
|
|
|
1446
|
self._container._remove_action(action)
|
|
|
|
|
1447
|
self._group_actions.remove(action)
|
|
1171
|
|
|
1448
|
|
|
1172
|
|
|
1449
|
|
|
1173
|
class ArgumentParser(_AttributeHolder, _ActionsContainer):
|
|
1450
|
class ArgumentParser(_AttributeHolder, _ActionsContainer):
|
|
|
|
|
1451
|
"""Object for parsing command line strings into Python objects.
|
|
|
|
|
1452
|
|
|
|
|
|
1453
|
Keyword Arguments:
|
|
|
|
|
1454
|
- prog -- The name of the program (default: sys.argv[0])
|
|
|
|
|
1455
|
- usage -- A usage message (default: auto-generated from arguments)
|
|
|
|
|
1456
|
- description -- A description of what the program does
|
|
|
|
|
1457
|
- epilog -- Text following the argument descriptions
|
|
|
|
|
1458
|
- version -- Add a -v/--version option with the given version string
|
|
|
|
|
1459
|
- parents -- Parsers whose arguments should be copied into this one
|
|
|
|
|
1460
|
- formatter_class -- HelpFormatter class for printing help messages
|
|
|
|
|
1461
|
- prefix_chars -- Characters that prefix optional arguments
|
|
|
|
|
1462
|
- fromfile_prefix_chars -- Characters that prefix files containing
|
|
|
|
|
1463
|
additional arguments
|
|
|
|
|
1464
|
- argument_default -- The default value for all arguments
|
|
|
|
|
1465
|
- conflict_handler -- String indicating how to handle conflicts
|
|
|
|
|
1466
|
- add_help -- Add a -h/-help option
|
|
|
|
|
1467
|
"""
|
|
1174
|
|
|
1468
|
|
|
1175
|
def __init__(self,
|
|
1469
|
def __init__(self,
|
|
1176
|
prog=None,
|
|
1470
|
prog=None,
|
|
@@
-1181,6
+1475,7
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1181
|
parents=[],
|
|
1475
|
parents=[],
|
|
1182
|
formatter_class=HelpFormatter,
|
|
1476
|
formatter_class=HelpFormatter,
|
|
1183
|
prefix_chars='-',
|
|
1477
|
prefix_chars='-',
|
|
|
|
|
1478
|
fromfile_prefix_chars=None,
|
|
1184
|
argument_default=None,
|
|
1479
|
argument_default=None,
|
|
1185
|
conflict_handler='error',
|
|
1480
|
conflict_handler='error',
|
|
1186
|
add_help=True):
|
|
1481
|
add_help=True):
|
|
@@
-1200,11
+1495,13
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1200
|
self.epilog = epilog
|
|
1495
|
self.epilog = epilog
|
|
1201
|
self.version = version
|
|
1496
|
self.version = version
|
|
1202
|
self.formatter_class = formatter_class
|
|
1497
|
self.formatter_class = formatter_class
|
|
|
|
|
1498
|
self.fromfile_prefix_chars = fromfile_prefix_chars
|
|
1203
|
self.add_help = add_help
|
|
1499
|
self.add_help = add_help
|
|
1204
|
|
|
1500
|
|
|
1205
|
self._argument_group_class = _ArgumentGroup
|
|
1501
|
add_group = self.add_argument_group
|
|
1206
|
self._has_subparsers = False
|
|
1502
|
self._positionals = add_group(_('positional arguments'))
|
|
1207
|
self._argument_groups = []
|
|
1503
|
self._optionals = add_group(_('optional arguments'))
|
|
|
|
|
1504
|
self._subparsers = None
|
|
1208
|
|
|
1505
|
|
|
1209
|
# register types
|
|
1506
|
# register types
|
|
1210
|
def identity(string):
|
|
1507
|
def identity(string):
|
|
@@
-1232,14
+1529,9
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1232
|
else:
|
|
1529
|
else:
|
|
1233
|
self._defaults.update(defaults)
|
|
1530
|
self._defaults.update(defaults)
|
|
1234
|
|
|
1531
|
|
|
1235
|
# determines whether an "option" looks like a negative number
|
|
|
|
|
1236
|
self._negative_number_matcher = _re.compile(r'^-\d+|-\d*.\d+$')
|
|
|
|
|
1237
|
|
|
|
|
|
1238
|
|
|
|
|
|
1239
|
# =======================
|
|
1532
|
# =======================
|
|
1240
|
# Pretty __repr__ methods
|
|
1533
|
# Pretty __repr__ methods
|
|
1241
|
# =======================
|
|
1534
|
# =======================
|
|
1242
|
|
|
|
|
|
1243
|
def _get_kwargs(self):
|
|
1535
|
def _get_kwargs(self):
|
|
1244
|
names = [
|
|
1536
|
names = [
|
|
1245
|
'prog',
|
|
1537
|
'prog',
|
|
@@
-1255,67
+1547,65
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1255
|
# ==================================
|
|
1547
|
# ==================================
|
|
1256
|
# Optional/Positional adding methods
|
|
1548
|
# Optional/Positional adding methods
|
|
1257
|
# ==================================
|
|
1549
|
# ==================================
|
|
1258
|
|
|
|
|
|
1259
|
def add_argument_group(self, *args, **kwargs):
|
|
|
|
|
1260
|
group = self._argument_group_class(self, *args, **kwargs)
|
|
|
|
|
1261
|
self._argument_groups.append(group)
|
|
|
|
|
1262
|
return group
|
|
|
|
|
1263
|
|
|
|
|
|
1264
|
def add_subparsers(self, **kwargs):
|
|
1550
|
def add_subparsers(self, **kwargs):
|
|
1265
|
if self._has_subparsers:
|
|
1551
|
if self._subparsers is not None:
|
|
1266
|
self.error(_('cannot have multiple subparser arguments'))
|
|
1552
|
self.error(_('cannot have multiple subparser arguments'))
|
|
1267
|
|
|
1553
|
|
|
1268
|
# add the parser class to the arguments if it's not present
|
|
1554
|
# add the parser class to the arguments if it's not present
|
|
1269
|
kwargs.setdefault('parser_class', type(self))
|
|
1555
|
kwargs.setdefault('parser_class', type(self))
|
|
1270
|
|
|
1556
|
|
|
|
|
|
1557
|
if 'title' in kwargs or 'description' in kwargs:
|
|
|
|
|
1558
|
title = _(kwargs.pop('title', 'subcommands'))
|
|
|
|
|
1559
|
description = _(kwargs.pop('description', None))
|
|
|
|
|
1560
|
self._subparsers = self.add_argument_group(title, description)
|
|
|
|
|
1561
|
else:
|
|
|
|
|
1562
|
self._subparsers = self._positionals
|
|
|
|
|
1563
|
|
|
1271
|
# prog defaults to the usage message of this parser, skipping
|
|
1564
|
# prog defaults to the usage message of this parser, skipping
|
|
1272
|
# optional arguments and with no "usage:" prefix
|
|
1565
|
# optional arguments and with no "usage:" prefix
|
|
1273
|
if kwargs.get('prog') is None:
|
|
1566
|
if kwargs.get('prog') is None:
|
|
1274
|
formatter = self._get_formatter()
|
|
1567
|
formatter = self._get_formatter()
|
|
1275
|
formatter.add_usage(self.usage, [],
|
|
1568
|
positionals = self._get_positional_actions()
|
|
1276
|
self._get_positional_actions(), '')
|
|
1569
|
groups = self._mutually_exclusive_groups
|
|
|
|
|
1570
|
formatter.add_usage(self.usage, positionals, groups, '')
|
|
1277
|
kwargs['prog'] = formatter.format_help().strip()
|
|
1571
|
kwargs['prog'] = formatter.format_help().strip()
|
|
1278
|
|
|
1572
|
|
|
1279
|
# create the parsers action and add it to the positionals list
|
|
1573
|
# create the parsers action and add it to the positionals list
|
|
1280
|
parsers_class = self._pop_action_class(kwargs, 'parsers')
|
|
1574
|
parsers_class = self._pop_action_class(kwargs, 'parsers')
|
|
1281
|
action = parsers_class(option_strings=[], **kwargs)
|
|
1575
|
action = parsers_class(option_strings=[], **kwargs)
|
|
1282
|
self._positional_actions_list.append(action)
|
|
1576
|
self._subparsers._add_action(action)
|
|
1283
|
self._positional_actions_full_list.append(action)
|
|
|
|
|
1284
|
self._has_subparsers = True
|
|
|
|
|
1285
|
|
|
1577
|
|
|
1286
|
# return the created parsers action
|
|
1578
|
# return the created parsers action
|
|
1287
|
return action
|
|
1579
|
return action
|
|
1288
|
|
|
1580
|
|
|
1289
|
def _add_container_actions(self, container):
|
|
1581
|
def _add_action(self, action):
|
|
1290
|
super(ArgumentParser, self)._add_container_actions(container)
|
|
1582
|
if action.option_strings:
|
|
1291
|
try:
|
|
1583
|
self._optionals._add_action(action)
|
|
1292
|
groups = container._argument_groups
|
|
|
|
|
1293
|
except AttributeError:
|
|
|
|
|
1294
|
pass
|
|
|
|
|
1295
|
else:
|
|
1584
|
else:
|
|
1296
|
for group in groups:
|
|
1585
|
self._positionals._add_action(action)
|
|
1297
|
new_group = self.add_argument_group(
|
|
1586
|
return action
|
|
1298
|
title=group.title,
|
|
|
|
|
1299
|
description=group.description,
|
|
|
|
|
1300
|
conflict_handler=group.conflict_handler)
|
|
|
|
|
1301
|
new_group._add_container_actions(group)
|
|
|
|
|
1302
|
|
|
1587
|
|
|
1303
|
def _get_optional_actions(self):
|
|
1588
|
def _get_optional_actions(self):
|
|
1304
|
actions = []
|
|
1589
|
return [action
|
|
1305
|
actions.extend(self._optional_actions_list)
|
|
1590
|
for action in self._actions
|
|
1306
|
for argument_group in self._argument_groups:
|
|
1591
|
if action.option_strings]
|
|
1307
|
actions.extend(argument_group._optional_actions_list)
|
|
|
|
|
1308
|
return actions
|
|
|
|
|
1309
|
|
|
1592
|
|
|
1310
|
def _get_positional_actions(self):
|
|
1593
|
def _get_positional_actions(self):
|
|
1311
|
return list(self._positional_actions_full_list)
|
|
1594
|
return [action
|
|
1312
|
|
|
1595
|
for action in self._actions
|
|
|
|
|
1596
|
if not action.option_strings]
|
|
1313
|
|
|
1597
|
|
|
1314
|
# =====================================
|
|
1598
|
# =====================================
|
|
1315
|
# Command line argument parsing methods
|
|
1599
|
# Command line argument parsing methods
|
|
1316
|
# =====================================
|
|
1600
|
# =====================================
|
|
1317
|
|
|
|
|
|
1318
|
def parse_args(self, args=None, namespace=None):
|
|
1601
|
def parse_args(self, args=None, namespace=None):
|
|
|
|
|
1602
|
args, argv = self.parse_known_args(args, namespace)
|
|
|
|
|
1603
|
if argv:
|
|
|
|
|
1604
|
msg = _('unrecognized arguments: %s')
|
|
|
|
|
1605
|
self.error(msg % ' '.join(argv))
|
|
|
|
|
1606
|
return args
|
|
|
|
|
1607
|
|
|
|
|
|
1608
|
def parse_known_args(self, args=None, namespace=None):
|
|
1319
|
# args default to the system args
|
|
1609
|
# args default to the system args
|
|
1320
|
if args is None:
|
|
1610
|
if args is None:
|
|
1321
|
args = _sys.argv[1:]
|
|
1611
|
args = _sys.argv[1:]
|
|
@@
-1325,40
+1615,41
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1325
|
namespace = Namespace()
|
|
1615
|
namespace = Namespace()
|
|
1326
|
|
|
1616
|
|
|
1327
|
# add any action defaults that aren't present
|
|
1617
|
# add any action defaults that aren't present
|
|
1328
|
optional_actions = self._get_optional_actions()
|
|
1618
|
for action in self._actions:
|
|
1329
|
positional_actions = self._get_positional_actions()
|
|
|
|
|
1330
|
for action in optional_actions + positional_actions:
|
|
|
|
|
1331
|
if action.dest is not SUPPRESS:
|
|
1619
|
if action.dest is not SUPPRESS:
|
|
1332
|
if not hasattr(namespace, action.dest):
|
|
1620
|
if not hasattr(namespace, action.dest):
|
|
1333
|
if action.default is not SUPPRESS:
|
|
1621
|
if action.default is not SUPPRESS:
|
|
1334
|
default = action.default
|
|
1622
|
default = action.default
|
|
1335
|
if isinstance(action.default, basestring):
|
|
1623
|
if isinstance(action.default, _basestring):
|
|
1336
|
default = self._get_value(action, default)
|
|
1624
|
default = self._get_value(action, default)
|
|
1337
|
setattr(namespace, action.dest, default)
|
|
1625
|
setattr(namespace, action.dest, default)
|
|
1338
|
|
|
1626
|
|
|
1339
|
# add any parser defaults that aren't present
|
|
1627
|
# add any parser defaults that aren't present
|
|
1340
|
for dest, value in self._defaults.iteritems():
|
|
1628
|
for dest in self._defaults:
|
|
1341
|
if not hasattr(namespace, dest):
|
|
1629
|
if not hasattr(namespace, dest):
|
|
1342
|
setattr(namespace, dest, value)
|
|
1630
|
setattr(namespace, dest, self._defaults[dest])
|
|
1343
|
|
|
1631
|
|
|
1344
|
# parse the arguments and exit if there are any errors
|
|
1632
|
# parse the arguments and exit if there are any errors
|
|
1345
|
try:
|
|
1633
|
try:
|
|
1346
|
result = self._parse_args(args, namespace)
|
|
1634
|
return self._parse_known_args(args, namespace)
|
|
1347
|
except ArgumentError, err:
|
|
1635
|
except ArgumentError:
|
|
|
|
|
1636
|
err = _sys.exc_info()[1]
|
|
1348
|
self.error(str(err))
|
|
1637
|
self.error(str(err))
|
|
1349
|
|
|
1638
|
|
|
1350
|
# make sure all required optionals are present
|
|
1639
|
def _parse_known_args(self, arg_strings, namespace):
|
|
1351
|
for action in self._get_optional_actions():
|
|
1640
|
# replace arg strings that are file references
|
|
1352
|
if action.required:
|
|
1641
|
if self.fromfile_prefix_chars is not None:
|
|
1353
|
if getattr(result, action.dest, None) is None:
|
|
1642
|
arg_strings = self._read_args_from_files(arg_strings)
|
|
1354
|
opt_strs = '/'.join(action.option_strings)
|
|
1643
|
|
|
1355
|
msg = _('option %s is required' % opt_strs)
|
|
1644
|
# map all mutually exclusive arguments to the other arguments
|
|
1356
|
self.error(msg)
|
|
1645
|
# they can't occur with
|
|
1357
|
|
|
1646
|
action_conflicts = {}
|
|
1358
|
# return the parsed arguments
|
|
1647
|
for mutex_group in self._mutually_exclusive_groups:
|
|
1359
|
return result
|
|
1648
|
group_actions = mutex_group._group_actions
|
|
1360
|
|
|
1649
|
for i, mutex_action in enumerate(mutex_group._group_actions):
|
|
1361
|
def _parse_args(self, arg_strings, namespace):
|
|
1650
|
conflicts = action_conflicts.setdefault(mutex_action, [])
|
|
|
|
|
1651
|
conflicts.extend(group_actions[:i])
|
|
|
|
|
1652
|
conflicts.extend(group_actions[i + 1:])
|
|
1362
|
|
|
1653
|
|
|
1363
|
# find all option indices, and determine the arg_string_pattern
|
|
1654
|
# find all option indices, and determine the arg_string_pattern
|
|
1364
|
# which has an 'O' if there is an option at an index,
|
|
1655
|
# which has an 'O' if there is an option at an index,
|
|
@@
-1389,8
+1680,24
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1389
|
arg_strings_pattern = ''.join(arg_string_pattern_parts)
|
|
1680
|
arg_strings_pattern = ''.join(arg_string_pattern_parts)
|
|
1390
|
|
|
1681
|
|
|
1391
|
# converts arg strings to the appropriate and then takes the action
|
|
1682
|
# converts arg strings to the appropriate and then takes the action
|
|
|
|
|
1683
|
seen_actions = _set()
|
|
|
|
|
1684
|
seen_non_default_actions = _set()
|
|
|
|
|
1685
|
|
|
1392
|
def take_action(action, argument_strings, option_string=None):
|
|
1686
|
def take_action(action, argument_strings, option_string=None):
|
|
|
|
|
1687
|
seen_actions.add(action)
|
|
1393
|
argument_values = self._get_values(action, argument_strings)
|
|
1688
|
argument_values = self._get_values(action, argument_strings)
|
|
|
|
|
1689
|
|
|
|
|
|
1690
|
# error if this argument is not allowed with other previously
|
|
|
|
|
1691
|
# seen arguments, assuming that actions that use the default
|
|
|
|
|
1692
|
# value don't really count as "present"
|
|
|
|
|
1693
|
if argument_values is not action.default:
|
|
|
|
|
1694
|
seen_non_default_actions.add(action)
|
|
|
|
|
1695
|
for conflict_action in action_conflicts.get(action, []):
|
|
|
|
|
1696
|
if conflict_action in seen_non_default_actions:
|
|
|
|
|
1697
|
msg = _('not allowed with argument %s')
|
|
|
|
|
1698
|
action_name = _get_action_name(conflict_action)
|
|
|
|
|
1699
|
raise ArgumentError(action, msg % action_name)
|
|
|
|
|
1700
|
|
|
1394
|
# take the action if we didn't receive a SUPPRESS value
|
|
1701
|
# take the action if we didn't receive a SUPPRESS value
|
|
1395
|
# (e.g. from a default)
|
|
1702
|
# (e.g. from a default)
|
|
1396
|
if argument_values is not SUPPRESS:
|
|
1703
|
if argument_values is not SUPPRESS:
|
|
@@
-1399,20
+1706,20
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1399
|
# function to convert arg_strings into an optional action
|
|
1706
|
# function to convert arg_strings into an optional action
|
|
1400
|
def consume_optional(start_index):
|
|
1707
|
def consume_optional(start_index):
|
|
1401
|
|
|
1708
|
|
|
1402
|
# determine the optional action and parse any explicit
|
|
1709
|
# get the optional identified at this index
|
|
1403
|
# argument out of the option string
|
|
|
|
|
1404
|
option_tuple = option_string_indices[start_index]
|
|
1710
|
option_tuple = option_string_indices[start_index]
|
|
1405
|
action, option_string, explicit_arg = option_tuple
|
|
1711
|
action, option_string, explicit_arg = option_tuple
|
|
1406
|
|
|
1712
|
|
|
1407
|
# loop because single-dash options can be chained
|
|
1713
|
# identify additional optionals in the same arg string
|
|
1408
|
# (e.g. -xyz is the same as -x -y -z if no args are required)
|
|
1714
|
# (e.g. -xyz is the same as -x -y -z if no args are required)
|
|
1409
|
match_argument = self._match_argument
|
|
1715
|
match_argument = self._match_argument
|
|
1410
|
action_tuples = []
|
|
1716
|
action_tuples = []
|
|
1411
|
while True:
|
|
1717
|
while True:
|
|
1412
|
|
|
1718
|
|
|
1413
|
# if we found no optional action, raise an error
|
|
1719
|
# if we found no optional action, skip it
|
|
1414
|
if action is None:
|
|
1720
|
if action is None:
|
|
1415
|
self.error(_('no such option: %s') % option_string)
|
|
1721
|
extras.append(arg_strings[start_index])
|
|
|
|
|
1722
|
return start_index + 1
|
|
1416
|
|
|
1723
|
|
|
1417
|
# if there is an explicit argument, try to match the
|
|
1724
|
# if there is an explicit argument, try to match the
|
|
1418
|
# optional's string arguments to only this
|
|
1725
|
# optional's string arguments to only this
|
|
@@
-1425,19
+1732,17
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1425
|
chars = self.prefix_chars
|
|
1732
|
chars = self.prefix_chars
|
|
1426
|
if arg_count == 0 and option_string[1] not in chars:
|
|
1733
|
if arg_count == 0 and option_string[1] not in chars:
|
|
1427
|
action_tuples.append((action, [], option_string))
|
|
1734
|
action_tuples.append((action, [], option_string))
|
|
1428
|
parse_optional = self._parse_optional
|
|
|
|
|
1429
|
for char in self.prefix_chars:
|
|
1735
|
for char in self.prefix_chars:
|
|
1430
|
option_string = char + explicit_arg
|
|
1736
|
option_string = char + explicit_arg[0]
|
|
1431
|
option_tuple = parse_optional(option_string)
|
|
1737
|
explicit_arg = explicit_arg[1:] or None
|
|
1432
|
if option_tuple[0] is not None:
|
|
1738
|
optionals_map = self._option_string_actions
|
|
|
|
|
1739
|
if option_string in optionals_map:
|
|
|
|
|
1740
|
action = optionals_map[option_string]
|
|
1433
|
break
|
|
1741
|
break
|
|
1434
|
else:
|
|
1742
|
else:
|
|
1435
|
msg = _('ignored explicit argument %r')
|
|
1743
|
msg = _('ignored explicit argument %r')
|
|
1436
|
raise ArgumentError(action, msg % explicit_arg)
|
|
1744
|
raise ArgumentError(action, msg % explicit_arg)
|
|
1437
|
|
|
1745
|
|
|
1438
|
# set the action, etc. for the next loop iteration
|
|
|
|
|
1439
|
action, option_string, explicit_arg = option_tuple
|
|
|
|
|
1440
|
|
|
|
|
|
1441
|
# if the action expect exactly one argument, we've
|
|
1746
|
# if the action expect exactly one argument, we've
|
|
1442
|
# successfully matched the option; exit the loop
|
|
1747
|
# successfully matched the option; exit the loop
|
|
1443
|
elif arg_count == 1:
|
|
1748
|
elif arg_count == 1:
|
|
@@
-1496,6
+1801,7
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1496
|
|
|
1801
|
|
|
1497
|
# consume Positionals and Optionals alternately, until we have
|
|
1802
|
# consume Positionals and Optionals alternately, until we have
|
|
1498
|
# passed the last option string
|
|
1803
|
# passed the last option string
|
|
|
|
|
1804
|
extras = []
|
|
1499
|
start_index = 0
|
|
1805
|
start_index = 0
|
|
1500
|
if option_string_indices:
|
|
1806
|
if option_string_indices:
|
|
1501
|
max_option_string_index = max(option_string_indices)
|
|
1807
|
max_option_string_index = max(option_string_indices)
|
|
@@
-1504,10
+1810,10
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1504
|
while start_index <= max_option_string_index:
|
|
1810
|
while start_index <= max_option_string_index:
|
|
1505
|
|
|
1811
|
|
|
1506
|
# consume any Positionals preceding the next option
|
|
1812
|
# consume any Positionals preceding the next option
|
|
1507
|
next_option_string_index = min(
|
|
1813
|
next_option_string_index = min([
|
|
1508
|
index
|
|
1814
|
index
|
|
1509
|
for index in option_string_indices
|
|
1815
|
for index in option_string_indices
|
|
1510
|
if index >= start_index)
|
|
1816
|
if index >= start_index])
|
|
1511
|
if start_index != next_option_string_index:
|
|
1817
|
if start_index != next_option_string_index:
|
|
1512
|
positionals_end_index = consume_positionals(start_index)
|
|
1818
|
positionals_end_index = consume_positionals(start_index)
|
|
1513
|
|
|
1819
|
|
|
@@
-1520,12
+1826,11
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1520
|
start_index = positionals_end_index
|
|
1826
|
start_index = positionals_end_index
|
|
1521
|
|
|
1827
|
|
|
1522
|
# if we consumed all the positionals we could and we're not
|
|
1828
|
# if we consumed all the positionals we could and we're not
|
|
1523
|
# at the index of an option string, there were unparseable
|
|
1829
|
# at the index of an option string, there were extra arguments
|
|
1524
|
# arguments
|
|
|
|
|
1525
|
if start_index not in option_string_indices:
|
|
1830
|
if start_index not in option_string_indices:
|
|
1526
|
msg = _('extra arguments found: %s')
|
|
1831
|
strings = arg_strings[start_index:next_option_string_index]
|
|
1527
|
extras = arg_strings[start_index:next_option_string_index]
|
|
1832
|
extras.extend(strings)
|
|
1528
|
self.error(msg % ' '.join(extras))
|
|
1833
|
start_index = next_option_string_index
|
|
1529
|
|
|
1834
|
|
|
1530
|
# consume the next optional and any arguments for it
|
|
1835
|
# consume the next optional and any arguments for it
|
|
1531
|
start_index = consume_optional(start_index)
|
|
1836
|
start_index = consume_optional(start_index)
|
|
@@
-1533,19
+1838,64
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1533
|
# consume any positionals following the last Optional
|
|
1838
|
# consume any positionals following the last Optional
|
|
1534
|
stop_index = consume_positionals(start_index)
|
|
1839
|
stop_index = consume_positionals(start_index)
|
|
1535
|
|
|
1840
|
|
|
1536
|
# if we didn't consume all the argument strings, there were too
|
|
1841
|
# if we didn't consume all the argument strings, there were extras
|
|
1537
|
# many supplied
|
|
1842
|
extras.extend(arg_strings[stop_index:])
|
|
1538
|
if stop_index != len(arg_strings):
|
|
|
|
|
1539
|
extras = arg_strings[stop_index:]
|
|
|
|
|
1540
|
self.error(_('extra arguments found: %s') % ' '.join(extras))
|
|
|
|
|
1541
|
|
|
1843
|
|
|
1542
|
# if we didn't use all the Positional objects, there were too few
|
|
1844
|
# if we didn't use all the Positional objects, there were too few
|
|
1543
|
# arg strings supplied.
|
|
1845
|
# arg strings supplied.
|
|
1544
|
if positionals:
|
|
1846
|
if positionals:
|
|
1545
|
self.error(_('too few arguments'))
|
|
1847
|
self.error(_('too few arguments'))
|
|
1546
|
|
|
1848
|
|
|
1547
|
# return the updated namespace
|
|
1849
|
# make sure all required actions were present
|
|
1548
|
return namespace
|
|
1850
|
for action in self._actions:
|
|
|
|
|
1851
|
if action.required:
|
|
|
|
|
1852
|
if action not in seen_actions:
|
|
|
|
|
1853
|
name = _get_action_name(action)
|
|
|
|
|
1854
|
self.error(_('argument %s is required') % name)
|
|
|
|
|
1855
|
|
|
|
|
|
1856
|
# make sure all required groups had one option present
|
|
|
|
|
1857
|
for group in self._mutually_exclusive_groups:
|
|
|
|
|
1858
|
if group.required:
|
|
|
|
|
1859
|
for action in group._group_actions:
|
|
|
|
|
1860
|
if action in seen_non_default_actions:
|
|
|
|
|
1861
|
break
|
|
|
|
|
1862
|
|
|
|
|
|
1863
|
# if no actions were used, report the error
|
|
|
|
|
1864
|
else:
|
|
|
|
|
1865
|
names = [_get_action_name(action)
|
|
|
|
|
1866
|
for action in group._group_actions
|
|
|
|
|
1867
|
if action.help is not SUPPRESS]
|
|
|
|
|
1868
|
msg = _('one of the arguments %s is required')
|
|
|
|
|
1869
|
self.error(msg % ' '.join(names))
|
|
|
|
|
1870
|
|
|
|
|
|
1871
|
# return the updated namespace and the extra arguments
|
|
|
|
|
1872
|
return namespace, extras
|
|
|
|
|
1873
|
|
|
|
|
|
1874
|
def _read_args_from_files(self, arg_strings):
|
|
|
|
|
1875
|
# expand arguments referencing files
|
|
|
|
|
1876
|
new_arg_strings = []
|
|
|
|
|
1877
|
for arg_string in arg_strings:
|
|
|
|
|
1878
|
|
|
|
|
|
1879
|
# for regular arguments, just add them back into the list
|
|
|
|
|
1880
|
if arg_string[0] not in self.fromfile_prefix_chars:
|
|
|
|
|
1881
|
new_arg_strings.append(arg_string)
|
|
|
|
|
1882
|
|
|
|
|
|
1883
|
# replace arguments referencing files with the file content
|
|
|
|
|
1884
|
else:
|
|
|
|
|
1885
|
try:
|
|
|
|
|
1886
|
args_file = open(arg_string[1:])
|
|
|
|
|
1887
|
try:
|
|
|
|
|
1888
|
arg_strings = args_file.read().splitlines()
|
|
|
|
|
1889
|
arg_strings = self._read_args_from_files(arg_strings)
|
|
|
|
|
1890
|
new_arg_strings.extend(arg_strings)
|
|
|
|
|
1891
|
finally:
|
|
|
|
|
1892
|
args_file.close()
|
|
|
|
|
1893
|
except IOError:
|
|
|
|
|
1894
|
err = _sys.exc_info()[1]
|
|
|
|
|
1895
|
self.error(str(err))
|
|
|
|
|
1896
|
|
|
|
|
|
1897
|
# return the modified argument list
|
|
|
|
|
1898
|
return new_arg_strings
|
|
1549
|
|
|
1899
|
|
|
1550
|
def _match_argument(self, action, arg_strings_pattern):
|
|
1900
|
def _match_argument(self, action, arg_strings_pattern):
|
|
1551
|
# match the pattern for this action to the arg strings
|
|
1901
|
# match the pattern for this action to the arg strings
|
|
@@
-1557,7
+1907,7
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1557
|
nargs_errors = {
|
|
1907
|
nargs_errors = {
|
|
1558
|
None:_('expected one argument'),
|
|
1908
|
None: _('expected one argument'),
|
|
1559
|
OPTIONAL:_('expected at most one argument'),
|
|
1909
|
OPTIONAL: _('expected at most one argument'),
|
|
1560
|
ONE_OR_MORE:_('expected at least one argument')
|
|
1910
|
ONE_OR_MORE: _('expected at least one argument'),
|
|
1561
|
}
|
|
1911
|
}
|
|
1562
|
default = _('expected %s argument(s)') % action.nargs
|
|
1912
|
default = _('expected %s argument(s)') % action.nargs
|
|
1563
|
msg = nargs_errors.get(action.nargs, default)
|
|
1913
|
msg = nargs_errors.get(action.nargs, default)
|
|
@@
-1570,19
+1920,23
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1570
|
# progressively shorten the actions list by slicing off the
|
|
1920
|
# progressively shorten the actions list by slicing off the
|
|
1571
|
# final actions until we find a match
|
|
1921
|
# final actions until we find a match
|
|
1572
|
result = []
|
|
1922
|
result = []
|
|
1573
|
for i in xrange(len(actions), 0, -1):
|
|
1923
|
for i in range(len(actions), 0, -1):
|
|
1574
|
actions_slice = actions[:i]
|
|
1924
|
actions_slice = actions[:i]
|
|
1575
|
pattern = ''.join(self._get_nargs_pattern(action)
|
|
1925
|
pattern = ''.join([self._get_nargs_pattern(action)
|
|
1576
|
for action in actions_slice)
|
|
1926
|
for action in actions_slice])
|
|
1577
|
match = _re.match(pattern, arg_strings_pattern)
|
|
1927
|
match = _re.match(pattern, arg_strings_pattern)
|
|
1578
|
if match is not None:
|
|
1928
|
if match is not None:
|
|
1579
|
result.extend(len(string) for string in match.groups())
|
|
1929
|
result.extend([len(string) for string in match.groups()])
|
|
1580
|
break
|
|
1930
|
break
|
|
1581
|
|
|
1931
|
|
|
1582
|
# return the list of arg string counts
|
|
1932
|
# return the list of arg string counts
|
|
1583
|
return result
|
|
1933
|
return result
|
|
1584
|
|
|
1934
|
|
|
1585
|
def _parse_optional(self, arg_string):
|
|
1935
|
def _parse_optional(self, arg_string):
|
|
|
|
|
1936
|
# if it's an empty string, it was meant to be a positional
|
|
|
|
|
1937
|
if not arg_string:
|
|
|
|
|
1938
|
return None
|
|
|
|
|
1939
|
|
|
1586
|
# if it doesn't start with a prefix, it was meant to be positional
|
|
1940
|
# if it doesn't start with a prefix, it was meant to be positional
|
|
1587
|
if not arg_string[0] in self.prefix_chars:
|
|
1941
|
if not arg_string[0] in self.prefix_chars:
|
|
1588
|
return None
|
|
1942
|
return None
|
|
@@
-1592,25
+1946,18
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1592
|
return None
|
|
1946
|
return None
|
|
1593
|
|
|
1947
|
|
|
1594
|
# if the option string is present in the parser, return the action
|
|
1948
|
# if the option string is present in the parser, return the action
|
|
1595
|
if arg_string in self._option_strings:
|
|
1949
|
if arg_string in self._option_string_actions:
|
|
1596
|
action = self._option_strings[arg_string]
|
|
1950
|
action = self._option_string_actions[arg_string]
|
|
1597
|
return action, arg_string, None
|
|
1951
|
return action, arg_string, None
|
|
1598
|
|
|
1952
|
|
|
1599
|
# search through all possible prefixes of the option string
|
|
1953
|
# search through all possible prefixes of the option string
|
|
1600
|
# and all actions in the parser for possible interpretations
|
|
1954
|
# and all actions in the parser for possible interpretations
|
|
1601
|
option_tuples = []
|
|
1955
|
option_tuples = self._get_option_tuples(arg_string)
|
|
1602
|
prefix_tuples = self._get_option_prefix_tuples(arg_string)
|
|
|
|
|
1603
|
for option_string in self._option_strings:
|
|
|
|
|
1604
|
for option_prefix, explicit_arg in prefix_tuples:
|
|
|
|
|
1605
|
if option_string.startswith(option_prefix):
|
|
|
|
|
1606
|
action = self._option_strings[option_string]
|
|
|
|
|
1607
|
tup = action, option_string, explicit_arg
|
|
|
|
|
1608
|
option_tuples.append(tup)
|
|
|
|
|
1609
|
break
|
|
|
|
|
1610
|
|
|
1956
|
|
|
1611
|
# if multiple actions match, the option string was ambiguous
|
|
1957
|
# if multiple actions match, the option string was ambiguous
|
|
1612
|
if len(option_tuples) > 1:
|
|
1958
|
if len(option_tuples) > 1:
|
|
1613
|
options = ', '.join(opt_str for _, opt_str, _ in option_tuples)
|
|
1959
|
options = ', '.join([option_string
|
|
|
|
|
1960
|
for action, option_string, explicit_arg in option_tuples])
|
|
1614
|
tup = arg_string, options
|
|
1961
|
tup = arg_string, options
|
|
1615
|
self.error(_('ambiguous option: %s could match %s') % tup)
|
|
1962
|
self.error(_('ambiguous option: %s could match %s') % tup)
|
|
1616
|
|
|
1963
|
|
|
@@
-1622,14
+1969,20
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1622
|
|
|
1969
|
|
|
1623
|
# if it was not found as an option, but it looks like a negative
|
|
1970
|
# if it was not found as an option, but it looks like a negative
|
|
1624
|
# number, it was meant to be positional
|
|
1971
|
# number, it was meant to be positional
|
|
|
|
|
1972
|
# unless there are negative-number-like options
|
|
1625
|
if self._negative_number_matcher.match(arg_string):
|
|
1973
|
if self._negative_number_matcher.match(arg_string):
|
|
|
|
|
1974
|
if not self._has_negative_number_optionals:
|
|
|
|
|
1975
|
return None
|
|
|
|
|
1976
|
|
|
|
|
|
1977
|
# if it contains a space, it was meant to be a positional
|
|
|
|
|
1978
|
if ' ' in arg_string:
|
|
1626
|
return None
|
|
1979
|
return None
|
|
1627
|
|
|
1980
|
|
|
1628
|
# it was meant to be an optional but there is no such option
|
|
1981
|
# it was meant to be an optional but there is no such option
|
|
1629
|
# in this parser (though it might be a valid option in a subparser)
|
|
1982
|
# in this parser (though it might be a valid option in a subparser)
|
|
1630
|
return None, arg_string, None
|
|
1983
|
return None, arg_string, None
|
|
1631
|
|
|
1984
|
|
|
1632
|
def _get_option_prefix_tuples(self, option_string):
|
|
1985
|
def _get_option_tuples(self, option_string):
|
|
1633
|
result = []
|
|
1986
|
result = []
|
|
1634
|
|
|
1987
|
|
|
1635
|
# option strings starting with two prefix characters are only
|
|
1988
|
# option strings starting with two prefix characters are only
|
|
@@
-1641,20
+1994,36
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1641
|
else:
|
|
1994
|
else:
|
|
1642
|
option_prefix = option_string
|
|
1995
|
option_prefix = option_string
|
|
1643
|
explicit_arg = None
|
|
1996
|
explicit_arg = None
|
|
1644
|
tup = option_prefix, explicit_arg
|
|
1997
|
for option_string in self._option_string_actions:
|
|
|
|
|
1998
|
if option_string.startswith(option_prefix):
|
|
|
|
|
1999
|
action = self._option_string_actions[option_string]
|
|
|
|
|
2000
|
tup = action, option_string, explicit_arg
|
|
1645
|
result.append(tup)
|
|
2001
|
result.append(tup)
|
|
1646
|
|
|
2002
|
|
|
1647
|
# option strings starting with a single prefix character are
|
|
2003
|
# single character options can be concatenated with their arguments
|
|
1648
|
# split at all indices
|
|
2004
|
# but multiple character options always have to have their argument
|
|
1649
|
else:
|
|
2005
|
# separate
|
|
1650
|
for first_index, char in enumerate(option_string):
|
|
2006
|
elif option_string[0] in chars and option_string[1] not in chars:
|
|
1651
|
if char not in self.prefix_chars:
|
|
2007
|
option_prefix = option_string
|
|
1652
|
break
|
|
2008
|
explicit_arg = None
|
|
1653
|
for i in xrange(len(option_string), first_index, -1):
|
|
2009
|
short_option_prefix = option_string[:2]
|
|
1654
|
tup = option_string[:i], option_string[i:] or None
|
|
2010
|
short_explicit_arg = option_string[2:]
|
|
|
|
|
2011
|
|
|
|
|
|
2012
|
for option_string in self._option_string_actions:
|
|
|
|
|
2013
|
if option_string == short_option_prefix:
|
|
|
|
|
2014
|
action = self._option_string_actions[option_string]
|
|
|
|
|
2015
|
tup = action, option_string, short_explicit_arg
|
|
|
|
|
2016
|
result.append(tup)
|
|
|
|
|
2017
|
elif option_string.startswith(option_prefix):
|
|
|
|
|
2018
|
action = self._option_string_actions[option_string]
|
|
|
|
|
2019
|
tup = action, option_string, explicit_arg
|
|
1655
|
result.append(tup)
|
|
2020
|
result.append(tup)
|
|
1656
|
|
|
2021
|
|
|
1657
|
# return the collected prefix tuples
|
|
2022
|
# shouldn't ever get here
|
|
|
|
|
2023
|
else:
|
|
|
|
|
2024
|
self.error(_('unexpected option string: %s') % option_string)
|
|
|
|
|
2025
|
|
|
|
|
|
2026
|
# return the collected option tuples
|
|
1658
|
return result
|
|
2027
|
return result
|
|
1659
|
|
|
2028
|
|
|
1660
|
def _get_nargs_pattern(self, action):
|
|
2029
|
def _get_nargs_pattern(self, action):
|
|
@@
-1697,7
+2066,6
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1697
|
# ========================
|
|
2066
|
# ========================
|
|
1698
|
# Value conversion methods
|
|
2067
|
# Value conversion methods
|
|
1699
|
# ========================
|
|
2068
|
# ========================
|
|
1700
|
|
|
|
|
|
1701
|
def _get_values(self, action, arg_strings):
|
|
2069
|
def _get_values(self, action, arg_strings):
|
|
1702
|
# for everything but PARSER args, strip out '--'
|
|
2070
|
# for everything but PARSER args, strip out '--'
|
|
1703
|
if action.nargs is not PARSER:
|
|
2071
|
if action.nargs is not PARSER:
|
|
@@
-1709,7
+2077,7
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1709
|
value = action.const
|
|
2077
|
value = action.const
|
|
1710
|
else:
|
|
2078
|
else:
|
|
1711
|
value = action.default
|
|
2079
|
value = action.default
|
|
1712
|
if isinstance(value, basestring):
|
|
2080
|
if isinstance(value, _basestring):
|
|
1713
|
value = self._get_value(action, value)
|
|
2081
|
value = self._get_value(action, value)
|
|
1714
|
self._check_value(action, value)
|
|
2082
|
self._check_value(action, value)
|
|
1715
|
|
|
2083
|
|
|
@@
-1731,12
+2099,12
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1731
|
|
|
2099
|
|
|
1732
|
# PARSER arguments convert all values, but check only the first
|
|
2100
|
# PARSER arguments convert all values, but check only the first
|
|
1733
|
elif action.nargs is PARSER:
|
|
2101
|
elif action.nargs is PARSER:
|
|
1734
|
value = list(self._get_value(action, v) for v in arg_strings)
|
|
2102
|
value = [self._get_value(action, v) for v in arg_strings]
|
|
1735
|
self._check_value(action, value[0])
|
|
2103
|
self._check_value(action, value[0])
|
|
1736
|
|
|
2104
|
|
|
1737
|
# all other types of nargs produce a list
|
|
2105
|
# all other types of nargs produce a list
|
|
1738
|
else:
|
|
2106
|
else:
|
|
1739
|
value = list(self._get_value(action, v) for v in arg_strings)
|
|
2107
|
value = [self._get_value(action, v) for v in arg_strings]
|
|
1740
|
for v in value:
|
|
2108
|
for v in value:
|
|
1741
|
self._check_value(action, v)
|
|
2109
|
self._check_value(action, v)
|
|
1742
|
|
|
2110
|
|
|
@@
-1745,7
+2113,7
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1745
|
|
|
2113
|
|
|
1746
|
def _get_value(self, action, arg_string):
|
|
2114
|
def _get_value(self, action, arg_string):
|
|
1747
|
type_func = self._registry_get('type', action.type, action.type)
|
|
2115
|
type_func = self._registry_get('type', action.type, action.type)
|
|
1748
|
if not callable(type_func):
|
|
2116
|
if not hasattr(type_func, '__call__'):
|
|
1749
|
msg = _('%r is not callable')
|
|
2117
|
msg = _('%r is not callable')
|
|
1750
|
raise ArgumentError(action, msg % type_func)
|
|
2118
|
raise ArgumentError(action, msg % type_func)
|
|
1751
|
|
|
2119
|
|
|
@@
-1769,46
+2137,30
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1769
|
msg = _('invalid choice: %r (choose from %s)') % tup
|
|
2137
|
msg = _('invalid choice: %r (choose from %s)') % tup
|
|
1770
|
raise ArgumentError(action, msg)
|
|
2138
|
raise ArgumentError(action, msg)
|
|
1771
|
|
|
2139
|
|
|
1772
|
|
|
|
|
|
1773
|
|
|
|
|
|
1774
|
# =======================
|
|
2140
|
# =======================
|
|
1775
|
# Help-formatting methods
|
|
2141
|
# Help-formatting methods
|
|
1776
|
# =======================
|
|
2142
|
# =======================
|
|
1777
|
|
|
|
|
|
1778
|
def format_usage(self):
|
|
2143
|
def format_usage(self):
|
|
1779
|
formatter = self._get_formatter()
|
|
2144
|
formatter = self._get_formatter()
|
|
1780
|
formatter.add_usage(self.usage,
|
|
2145
|
formatter.add_usage(self.usage, self._actions,
|
|
1781
|
self._get_optional_actions(),
|
|
2146
|
self._mutually_exclusive_groups)
|
|
1782
|
self._get_positional_actions())
|
|
|
|
|
1783
|
return formatter.format_help()
|
|
2147
|
return formatter.format_help()
|
|
1784
|
|
|
2148
|
|
|
1785
|
def format_help(self):
|
|
2149
|
def format_help(self):
|
|
1786
|
formatter = self._get_formatter()
|
|
2150
|
formatter = self._get_formatter()
|
|
1787
|
|
|
2151
|
|
|
1788
|
# usage
|
|
2152
|
# usage
|
|
1789
|
formatter.add_usage(self.usage,
|
|
2153
|
formatter.add_usage(self.usage, self._actions,
|
|
1790
|
self._get_optional_actions(),
|
|
2154
|
self._mutually_exclusive_groups)
|
|
1791
|
self._get_positional_actions())
|
|
|
|
|
1792
|
|
|
2155
|
|
|
1793
|
# description
|
|
2156
|
# description
|
|
1794
|
formatter.add_text(self.description)
|
|
2157
|
formatter.add_text(self.description)
|
|
1795
|
|
|
2158
|
|
|
1796
|
# positionals
|
|
2159
|
# positionals, optionals and user-defined groups
|
|
1797
|
formatter.start_section(_('positional arguments'))
|
|
2160
|
for action_group in self._action_groups:
|
|
1798
|
formatter.add_arguments(self._positional_actions_list)
|
|
2161
|
formatter.start_section(action_group.title)
|
|
1799
|
formatter.end_section()
|
|
2162
|
formatter.add_text(action_group.description)
|
|
1800
|
|
|
2163
|
formatter.add_arguments(action_group._group_actions)
|
|
1801
|
# optionals
|
|
|
|
|
1802
|
formatter.start_section(_('optional arguments'))
|
|
|
|
|
1803
|
formatter.add_arguments(self._optional_actions_list)
|
|
|
|
|
1804
|
formatter.end_section()
|
|
|
|
|
1805
|
|
|
|
|
|
1806
|
# user-defined groups
|
|
|
|
|
1807
|
for argument_group in self._argument_groups:
|
|
|
|
|
1808
|
formatter.start_section(argument_group.title)
|
|
|
|
|
1809
|
formatter.add_text(argument_group.description)
|
|
|
|
|
1810
|
formatter.add_arguments(argument_group._positional_actions_list)
|
|
|
|
|
1811
|
formatter.add_arguments(argument_group._optional_actions_list)
|
|
|
|
|
1812
|
formatter.end_section()
|
|
2164
|
formatter.end_section()
|
|
1813
|
|
|
2165
|
|
|
1814
|
# epilog
|
|
2166
|
# epilog
|
|
@@
-1828,7
+2180,6
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1828
|
# =====================
|
|
2180
|
# =====================
|
|
1829
|
# Help-printing methods
|
|
2181
|
# Help-printing methods
|
|
1830
|
# =====================
|
|
2182
|
# =====================
|
|
1831
|
|
|
|
|
|
1832
|
def print_usage(self, file=None):
|
|
2183
|
def print_usage(self, file=None):
|
|
1833
|
self._print_message(self.format_usage(), file)
|
|
2184
|
self._print_message(self.format_usage(), file)
|
|
1834
|
|
|
2185
|
|
|
@@
-1844,11
+2195,9
b' class ArgumentParser(_AttributeHolder, _ActionsContainer):'
|
|
1844
|
file = _sys.stderr
|
|
2195
|
file = _sys.stderr
|
|
1845
|
file.write(message)
|
|
2196
|
file.write(message)
|
|
1846
|
|
|
2197
|
|
|
1847
|
|
|
|
|
|
1848
|
# ===============
|
|
2198
|
# ===============
|
|
1849
|
# Exiting methods
|
|
2199
|
# Exiting methods
|
|
1850
|
# ===============
|
|
2200
|
# ===============
|
|
1851
|
|
|
|
|
|
1852
|
def exit(self, status=0, message=None):
|
|
2201
|
def exit(self, status=0, message=None):
|
|
1853
|
if message:
|
|
2202
|
if message:
|
|
1854
|
_sys.stderr.write(message)
|
|
2203
|
_sys.stderr.write(message)
|