ed9a8212c0c8d1c40a6ecabd933eb23f1bf5cbb1
[pyutils.git] / src / pyutils / config.py
1 #!/usr/bin/env python3
2
3 # © Copyright 2021-2022, Scott Gasch
4
5 """Global program configuration driven by commandline arguments and,
6 optionally, from saved (local or Zookeeper) configuration files... with
7 optional support for dynamic arguments (i.e. that can change during runtime).
8
9 Let's start with an example of how to use :py:mod:`pyutils.config`.  It's
10 pretty easy for normal commandline arguments because it wraps :py:mod:`argparse`
11 (see https://docs.python.org/3/library/argparse.html):
12
13     In your file.py::
14
15         from pyutils import config
16
17         # Call add_commandline_args to get an argparse.ArgumentParser
18         # for file.py.  Each file uses a separate ArgumentParser
19         # chained off the main namespace.
20         parser = config.add_commandline_args(
21             "Module",
22             "Args related to module doing the thing.",
23         )
24
25         # Then simply add argparse-style arguments to it, as usual.
26         parser.add_argument(
27             "--module_do_the_thing",
28             type=bool,
29             default=True,
30             help="Should the module do the thing?"
31         )
32
33     In your main.py::
34
35         from pyutils import config
36
37         # main.py may have some arguments of its own, so add them.
38         parser = config.add_commandline_args(
39             "Main",
40             "A program that does the thing.",
41         )
42         parser.add_argument(
43             "--dry_run",
44             type=bool,
45             default=False,
46             help="Should we really do the thing?"
47         )
48
49         def main() -> None:
50             config.parse()   # Then remember to call config.parse() early on.
51
52     If you set this up and remember to invoke :py:meth:`pyutils.config.parse`,
53     all commandline arguments will play nicely together across all modules / files
54     in your program automatically.  Argparse help messages will group flags by
55     the file they affect.
56
57     If you use :py:meth:`pyutils.bootstrap.initialize`, a decorator that can
58     optionally wrap your program's entry point, it will remember to call
59     :py:meth:`pyutils.config.parse` for you so you can omit the last part.
60     That looks like this::
61
62         from pyutils import bootstrap
63
64         @bootstrap.initialize
65         def main():
66             whatever
67
68         if __name__ == '__main__':
69             main()
70
71     Either way, you'll get an aggregated usage message along with flags broken
72     down per file in help::
73
74         % main.py -h
75         usage: main.py [-h]
76                        [--module_do_the_thing MODULE_DO_THE_THING]
77                        [--dry_run DRY_RUN]
78
79         Module:
80           Args related to module doing the thing.
81
82           --module_do_the_thing MODULE_DO_THE_THING
83                        Should the module do the thing?
84
85         Main:
86           A program that does the thing
87
88           --dry_run
89                        Should we really do the thing?
90
91     Once :py:meth:`pyutils.config.parse` has been called (either automatically
92     by :py:mod:`puytils.bootstrap` or manually, the program configuration
93     state is ready in a dict-like object called `config.config`.  For example,
94     to check the state of the `--dry_run` flag::
95
96         if not config.config['dry_run']:
97             module.do_the_thing()
98
99     Using :py:mod:`pyutils.config` allows you to "save" and "load" whole
100     sets of commandline arguments using the `--config_savefile` and the
101     `--config_loadfile` arguments.  The former saves all arguments (other than
102     itself) to an ascii file whose path you provide.  The latter reads all
103     arguments from an ascii file whose path you provide.
104
105     Saving and loading sets of arguments can make complex operations easier
106     to set up.  They also allows for dynamic arguments.
107
108     If you use Apache Zookeeper, you can prefix paths to
109     `--config_savefile` and `--config_loadfile` with the string "zk:"
110     to cause the path to be interpreted as a Zookeeper path rather
111     than one on the local filesystem.  When loading arguments from
112     Zookeeker, the :py:mod:`pyutils.config` code registers a listener
113     to be notified on state change (e.g. when some other instance
114     overwrites your Zookeeper based configuration).  Listeners then
115     dynamically update the value of any flag in the `config.config`
116     dict whose name contains the string "dynamic".  So, for example,
117     the `--dynamic_database_connect_string` argument would be
118     modifiable at runtime when using Zookeeper based configurations.
119     Flags that do not contain the string "dynamic" will not change.
120     And nothing is dynamic unless we're reading configuration from
121     Zookeeper.
122
123     For more information about Zookeeper, see https://zookeeper.apache.org/.
124 """
125
126 import argparse
127 import logging
128 import os
129 import pprint
130 import re
131 import sys
132 from typing import Any, Dict, List, Optional
133
134 # This module is commonly used by others in here and should avoid
135 # taking any unnecessary dependencies back on them.
136
137 # Make a copy of the original program arguments immediately upon module load.
138 PROGRAM_NAME: str = os.path.basename(sys.argv[0])
139 ORIG_ARGV: List[str] = sys.argv.copy()
140
141
142 class OptionalRawFormatter(argparse.HelpFormatter):
143     """This formatter has the same bahavior as the normal argparse
144     text formatter except when the help text of an argument begins
145     with "RAW|".  In that case, the line breaks are preserved and the
146     text is not wrapped.  It is enabled automatically if you use
147     :py:mod:`pyutils.config`.
148
149     Use this by prepending "RAW|" in your help message to disable
150     word wrapping and indicate that the help message is already
151     formatted and should be preserved.  Here's an example usage::
152
153         args.add_argument(
154             '--mode',
155             type=str,
156             default='PLAY',
157             choices=['CHEAT', 'AUTOPLAY', 'SELFTEST', 'PRECOMPUTE', 'PLAY'],
158             metavar='MODE',
159             help='''RAW|Our mode of operation.  One of:
160
161                 PLAY = play wordle with me!  Pick a random solution or
162                        specify a solution with --template.
163
164                CHEAT = given a --template and, optionally, --letters_in_word
165                        and/or --letters_to_avoid, return the best guess word;
166
167             AUTOPLAY = given a complete word in --template, guess it step
168                        by step showing work;
169
170             SELFTEST = autoplay every possible solution keeping track of
171                        wins/losses and average number of guesses;
172
173           PRECOMPUTE = populate hash table with optimal guesses.
174             ''',
175         )
176
177     """
178
179     def _split_lines(self, text, width):
180         if text.startswith('RAW|'):
181             return text[4:].splitlines()
182         return argparse.HelpFormatter._split_lines(self, text, width)
183
184
185 # A global argparser that we will collect arguments in.  Each module (including
186 # us) will add arguments to a separate argument group.
187 ARGS = argparse.ArgumentParser(
188     description=None,
189     formatter_class=OptionalRawFormatter,
190     fromfile_prefix_chars="@",
191     epilog=f'{PROGRAM_NAME} uses config.py ({__file__}) for global, cross-module configuration setup and parsing.',
192     # I don't fully understand why but when loaded by sphinx sometimes
193     # the same module is loaded many times causing any arguments it
194     # registers via module-level code to be redefined.  Work around
195     # this iff the program is 'sphinx-build'
196     conflict_handler='resolve' if PROGRAM_NAME == 'sphinx-build' else 'error',
197 )
198
199 # Arguments specific to config.py.  Other users should get their own group by
200 # invoking config.add_commandline_args.
201 GROUP = ARGS.add_argument_group(
202     f'Global Config ({__file__})',
203     'Args that control the global config itself; how meta!',
204 )
205 GROUP.add_argument(
206     '--config_loadfile',
207     metavar='FILENAME',
208     default=None,
209     help='Config file (populated via --config_savefile) from which to read args in lieu or in addition to those passed via the commandline.  Note that if the given path begins with "zk:" then it is interpreted as a zookeeper path instead of as a filesystem path.  When loading config from zookeeper, any argument with the string "dynamic" in the name (e.g. --module_dynamic_url) may be modified at runtime by changes made to zookeeper (using --config_savefile=zk:path).  You should therefore either write your code to handle dynamic argument changes or avoid naming arguments "dynamic" if you use zookeeper configuration paths.',
210 )
211 GROUP.add_argument(
212     '--config_dump',
213     default=False,
214     action='store_true',
215     help='Display the global configuration (possibly derived from multiple sources) on STDERR at program startup time.',
216 )
217 GROUP.add_argument(
218     '--config_savefile',
219     type=str,
220     metavar='FILENAME',
221     default=None,
222     help='Populate a config file (compatible with --config_loadfile) and write it at the given path for later [re]use.  If the given path begins with "zk:" it is interpreted as a zookeeper path instead of a local filesystem path.  When updating zookeeper-based configs, all running programs that read their configuration from zookeeper (via --config_loadfile=zk:<path>) will see the update.  Those that also enabled --config_allow_dynamic_updates will change the value of any flags with the string "dynamic" in their names (e.g. --my_dynamic_flag or --dynamic_database_connect_string).',
223 )
224 GROUP.add_argument(
225     '--config_allow_dynamic_updates',
226     default=False,
227     action='store_true',
228     help='If enabled, allow config flags with the string "dynamic" in their names to change at runtime when a new Zookeeper based configuration is created.  See the --config_savefile help message for more information about this option.',
229 )
230 GROUP.add_argument(
231     '--config_rejects_unrecognized_arguments',
232     default=False,
233     action='store_true',
234     help='If present, config will raise an exception if it doesn\'t recognize an argument.  The default behavior is to ignore unknown arguments so as to allow interoperability with programs that want to use their own argparse calls to parse their own, separate commandline args.',
235 )
236 GROUP.add_argument(
237     '--config_exit_after_parse',
238     default=False,
239     action='store_true',
240     help='If present, halt the program after parsing config.  Useful, for example, to write a --config_savefile and then terminate.',
241 )
242
243
244 class Config:
245     """
246     .. warning::
247
248         Do not instantiate this class directly; it is meant to be a
249         global singleton called `pyutils.config.CONFIG`.  Instead, use
250         :py:meth:`pyutils.config.add_commandline_args` to get an
251         `ArgumentGroup` and add your arguments to it.  Then call
252         :py:meth:`pyutils.config.parse` to parse global configuration
253         from your main program entry point.
254
255     Everything in the config module used to be module-level functions and
256     variables but it made the code ugly and harder to maintain.  Now, this
257     class does the heavy lifting.  We still rely on some globals, though:
258
259         - ARGS and GROUP to interface with argparse
260         - PROGRAM_NAME stores argv[0] close to program invocation
261         - ORIG_ARGV stores the original argv list close to program invocation
262         - CONFIG and config: hold the (singleton) instance of this class.
263     """
264
265     def __init__(self):
266         # Has our parse() method been invoked yet?
267         self.config_parse_called = False
268
269         # A configuration dictionary that will contain parsed
270         # arguments.  This is the data that is most interesting to our
271         # callers as it will hold the configuration result.
272         self.config: Dict[str, Any] = {}
273
274         # Defer logging messages until later when logging has been
275         # initialized.
276         self.saved_messages: List[str] = []
277
278         # A zookeeper client that is lazily created so as to not incur
279         # the latency of connecting to zookeeper for programs that are
280         # not reading or writing their config data into zookeeper.
281         self.zk: Optional[Any] = None
282
283         # Per known zk file, what is the max version we have seen?
284         self.max_version: Dict[str, int] = {}
285
286     def __getitem__(self, key: str) -> Optional[Any]:
287         """If someone uses []'s on us, pass it onto self.config."""
288         return self.config.get(key, None)
289
290     def __setitem__(self, key: str, value: Any) -> None:
291         self.config[key] = value
292
293     def __contains__(self, key: str) -> bool:
294         return key in self.config
295
296     def get(self, key: str, default: Any = None) -> Optional[Any]:
297         return self.config.get(key, default)
298
299     @staticmethod
300     def add_commandline_args(
301         title: str, description: str = ""
302     ) -> argparse._ArgumentGroup:
303         """Create a new context for arguments and return an ArgumentGroup
304         to the caller for module-level population.
305
306         Args:
307             title: A title for your module's commandline arguments group.
308             description: A helpful description of your module.
309
310         Returns:
311             An argparse._ArgumentGroup to be populated by the caller.
312         """
313         return ARGS.add_argument_group(title, description)
314
315     @staticmethod
316     def overwrite_argparse_epilog(msg: str) -> None:
317         """Allows your code to override the default epilog created by
318         argparse.
319
320         Args:
321             msg: The epilog message to substitute for the default.
322         """
323         ARGS.epilog = msg
324
325     @staticmethod
326     def is_flag_already_in_argv(var: str) -> bool:
327         """
328         Returns:
329             True if a particular flag is passed on the commandline
330             and False otherwise.
331
332         Args:
333             var: The flag to search for.
334         """
335         for _ in sys.argv:
336             if var in _:
337                 return True
338         return False
339
340     @staticmethod
341     def print_usage() -> None:
342         """Prints the normal help usage message out."""
343         ARGS.print_help()
344
345     @staticmethod
346     def usage() -> str:
347         """
348         Returns:
349             program usage help text as a string.
350         """
351         return ARGS.format_usage()
352
353     @staticmethod
354     def _reorder_arg_action_groups_before_help(entry_module: Optional[str]):
355         """Internal.  Used to reorder the arguments before dumping out a
356         generated help string such that the main program's arguments come
357         last.
358
359         """
360         reordered_action_groups = []
361         for grp in ARGS._action_groups:
362             if entry_module is not None and entry_module in grp.title:  # type: ignore
363                 reordered_action_groups.append(grp)
364             elif PROGRAM_NAME in GROUP.title:  # type: ignore
365                 reordered_action_groups.append(grp)
366             else:
367                 reordered_action_groups.insert(0, grp)
368         return reordered_action_groups
369
370     @staticmethod
371     def _to_bool(in_str: str) -> bool:
372         """
373         Args:
374             in_str: the string to convert to boolean
375
376         Returns:
377             A boolean equivalent of the original string based on its contents.
378             All conversion is case insensitive.  A positive boolean (True) is
379             returned if the string value is any of the following:
380
381             * "true"
382             * "t"
383             * "1"
384             * "yes"
385             * "y"
386             * "on"
387
388             Otherwise False is returned.
389
390         >>> to_bool('True')
391         True
392
393         >>> to_bool('1')
394         True
395
396         >>> to_bool('yes')
397         True
398
399         >>> to_bool('no')
400         False
401
402         >>> to_bool('huh?')
403         False
404
405         >>> to_bool('on')
406         True
407         """
408         return in_str.lower() in ("true", "1", "yes", "y", "t", "on")
409
410     def _process_dynamic_args(self, event):
411         """Invoked as a callback when a zk-based config changed."""
412
413         if not self.zk:
414             return
415         logger = logging.getLogger(__name__)
416         try:
417             contents, meta = self.zk.get(event.path, watch=self._process_dynamic_args)
418             logger.debug('Update for %s at version=%d.', event.path, meta.version)
419             logger.debug(
420                 'Max known version for %s is %d.',
421                 event.path,
422                 self.max_version.get(event.path, 0),
423             )
424         except Exception as e:
425             raise Exception('Error reading data from zookeeper') from e
426
427         # Make sure we process changes in order.
428         if meta.version > self.max_version.get(event.path, 0):
429             self.max_version[event.path] = meta.version
430             contents = contents.decode()
431             temp_argv = []
432             for arg in contents.split():
433
434                 # Our rule is that arguments must contain the word
435                 # 'dynamic' if we are going to allow them to change at
436                 # runtime as a signal that the programmer is expecting
437                 # this.
438                 if 'dynamic' in arg and config.config['config_allow_dynamic_updates']:
439                     temp_argv.append(arg)
440                     logger.info("Updating %s from zookeeper async config change.", arg)
441
442             if len(temp_argv) > 0:
443                 old_argv = sys.argv
444                 sys.argv = temp_argv
445                 known, _ = ARGS.parse_known_args()
446                 sys.argv = old_argv
447                 self.config.update(vars(known))
448
449     def _read_config_from_zookeeper(self, zkpath: str) -> Optional[str]:
450         from pyutils import zookeeper
451
452         if not zkpath.startswith('/config/'):
453             zkpath = '/config/' + zkpath
454             zkpath = re.sub(r'//+', '/', zkpath)
455
456         try:
457             if self.zk is None:
458                 self.zk = zookeeper.get_started_zk_client()
459             if not self.zk.exists(zkpath):
460                 return None
461
462             # Note: we're putting a watch on this config file.  Our
463             # _process_dynamic_args routine will be called to reparse
464             # args when/if they change.
465             contents, meta = self.zk.get(zkpath, watch=self._process_dynamic_args)
466             contents = contents.decode()
467             self.saved_messages.append(
468                 f'Setting {zkpath}\'s max_version to {meta.version}'
469             )
470             self.max_version[zkpath] = meta.version
471             self.saved_messages.append(f'Read config from zookeeper {zkpath}.')
472             return contents
473         except Exception as e:
474             self.saved_messages.append(
475                 f'Failed to read {zkpath} from zookeeper: exception {e}'
476             )
477             return None
478
479     def _read_config_from_disk(self, filepath: str) -> Optional[str]:
480         if not os.path.exists(filepath):
481             return None
482         with open(filepath, 'r') as rf:
483             self.saved_messages.append(f'Read config from disk file {filepath}')
484             return rf.read()
485
486     def _augment_sys_argv_from_loadfile(self):
487         """Internal.  Augment with arguments persisted in a saved file."""
488
489         # Check for --config_loadfile in the args manually; argparse isn't
490         # invoked yet and can't be yet.
491         loadfile = None
492         saw_other_args = False
493         grab_next_arg = False
494         for arg in sys.argv[1:]:
495             if 'config_loadfile' in arg:
496                 pieces = arg.split('=')
497                 if len(pieces) > 1:
498                     loadfile = pieces[1]
499                 else:
500                     grab_next_arg = True
501             elif grab_next_arg:
502                 loadfile = arg
503             else:
504                 saw_other_args = True
505
506         if not loadfile or len(loadfile) == 0:
507             return
508
509         # Get contents from wherever.
510         contents = None
511         if loadfile[:3] == 'zk:':
512             contents = self._read_config_from_zookeeper(loadfile[3:])
513         else:
514             contents = self._read_config_from_disk(loadfile)
515
516         if contents:
517             if saw_other_args:
518                 msg = f'Augmenting commandline arguments with those from {loadfile}.'
519             else:
520                 msg = f'Reading commandline arguments from {loadfile}.'
521             print(msg, file=sys.stderr)
522             self.saved_messages.append(msg)
523         else:
524             msg = f'Failed to read/parse contents from {loadfile}'
525             print(msg, file=sys.stderr)
526             self.saved_messages.append(msg)
527             return
528
529         # Augment args with new ones.
530         newargs = [
531             arg.strip('\n')
532             for arg in contents.split('\n')
533             if 'config_savefile' not in arg
534         ]
535         sys.argv += newargs
536
537     def dump_config(self):
538         """Print the current config to stdout."""
539         print("Global Configuration:", file=sys.stderr)
540         pprint.pprint(self.config, stream=sys.stderr)
541         print()
542
543     def _write_config_to_disk(self, data: str, filepath: str) -> None:
544         with open(filepath, 'w') as wf:
545             wf.write(data)
546
547     def _write_config_to_zookeeper(self, data: str, zkpath: str) -> None:
548         if not zkpath.startswith('/config/'):
549             zkpath = '/config/' + zkpath
550             zkpath = re.sub(r'//+', '/', zkpath)
551         try:
552             if not self.zk:
553                 from pyutils import zookeeper
554
555                 self.zk = zookeeper.get_started_zk_client()
556             encoded_data = data.encode()
557             if len(encoded_data) > 1024 * 1024:
558                 raise Exception(
559                     f'Saved args are too large ({len(encoded_data)} bytes exceeds zk limit)'
560                 )
561             if not self.zk.exists(zkpath):
562                 self.zk.create(zkpath, encoded_data)
563                 self.saved_messages.append(
564                     f'Just created {zkpath}; setting its max_version to 0'
565                 )
566                 self.max_version[zkpath] = 0
567             else:
568                 meta = self.zk.set(zkpath, encoded_data)
569                 self.saved_messages.append(
570                     f'Setting {zkpath}\'s max_version to {meta.version}'
571                 )
572                 self.max_version[zkpath] = meta.version
573         except Exception as e:
574             raise Exception(f'Failed to create zookeeper path {zkpath}') from e
575         self.saved_messages.append(f'Saved config to zookeeper in {zkpath}')
576
577     def parse(self, entry_module: Optional[str]) -> Dict[str, Any]:
578         """Main program should invoke this early in main().  Note that the
579         :py:meth:`pyutils.bootstrap.initialize` wrapper takes care of this automatically.
580         This should only be called once per program invocation.
581
582         Args:
583             entry_module: Optional string to ensure we understand which module
584                 contains the program entry point.  Determined heuristically if not
585                 provided.
586
587         Returns:
588             A dict containing the parsed program configuration.  Note that this can
589                 be safely ignored since it is also saved in `config.config` and may
590                 be used directly using that identifier.
591         """
592         if self.config_parse_called:
593             return self.config
594
595         # If we're about to do the usage message dump, put the main
596         # module's argument group last in the list (if possible) so that
597         # when the user passes -h or --help, it will be visible on the
598         # screen w/o scrolling.  This just makes for a nicer --help screen.
599         for arg in sys.argv:
600             if arg in ('--help', '-h'):
601                 if entry_module is not None:
602                     entry_module = os.path.basename(entry_module)
603                 ARGS._action_groups = Config._reorder_arg_action_groups_before_help(
604                     entry_module
605                 )
606
607         # Look for --config_loadfile argument and, if found, read/parse
608         # Note that this works by jamming values onto sys.argv; kinda ugly.
609         self._augment_sys_argv_from_loadfile()
610
611         # Parse (possibly augmented, possibly completely overwritten)
612         # commandline args with argparse normally and populate config.
613         known, unknown = ARGS.parse_known_args()
614         self.config.update(vars(known))
615
616         # Reconstruct the sys.argv with unrecognized flags for the
617         # benefit of future argument parsers.  For example,
618         # unittest_main in python has some of its own flags.  If we
619         # didn't recognize it, maybe someone else will.  Or, if
620         # --config_rejects_unrecognized_arguments was passed, die
621         # if we have unknown arguments.
622         if len(unknown) > 0:
623             if config['config_rejects_unrecognized_arguments']:
624                 raise Exception(
625                     f'Encountered unrecognized config argument(s) {unknown} with --config_rejects_unrecognized_arguments enabled; halting.'
626                 )
627             self.saved_messages.append(
628                 f'Config encountered unrecognized commandline arguments: {unknown}'
629             )
630         sys.argv = sys.argv[:1] + unknown
631
632         # Check for savefile and populate it if requested.
633         savefile = config['config_savefile']
634         if savefile and len(savefile) > 0:
635             data = '\n'.join(ORIG_ARGV[1:])
636             if savefile[:3] == 'zk:':
637                 self._write_config_to_zookeeper(savefile[3:], data)
638             else:
639                 self._write_config_to_disk(savefile, data)
640
641         # Also dump the config on stderr if requested.
642         if config['config_dump']:
643             self.dump_config()
644
645         # Finally, maybe exit now if the user passed
646         # --config_exit_after_parse indicating they want to just
647         # update a config file and halt.
648         self.config_parse_called = True
649         if config['config_exit_after_parse']:
650             print("Exiting because of --config_exit_after_parse.")
651             if self.zk:
652                 self.zk.stop()
653             sys.exit(0)
654         return self.config
655
656     def has_been_parsed(self) -> bool:
657         """Returns True iff the global config has already been parsed"""
658         return self.config_parse_called
659
660     def late_logging(self):
661         """Log messages saved earlier now that logging has been initialized."""
662         logger = logging.getLogger(__name__)
663         logger.debug('Original commandline was: %s', ORIG_ARGV)
664         for _ in self.saved_messages:
665             logger.debug(_)
666
667
668 # A global singleton instance of the Config class.
669 CONFIG = Config()
670
671 # A lot of client code uses config.config['whatever'] to lookup
672 # configuration so to preserve this we make this, config.config, with
673 # a __getitem__ method on it.
674 config = CONFIG
675
676 # Config didn't use to be a class; it was a mess of module-level
677 # functions and data.  The functions below preserve the old interface
678 # so that existing clients do not need to be changed.  As you can see,
679 # they mostly just thunk into the config class.
680
681
682 def add_commandline_args(title: str, description: str = "") -> argparse._ArgumentGroup:
683     """Create a new context for arguments and return a handle.  An alias
684     for config.config.add_commandline_args.
685
686     Args:
687         title: A title for your module's commandline arguments group.
688         description: A helpful description of your module.
689
690     Returns:
691         An argparse._ArgumentGroup to be populated by the caller.
692     """
693     return CONFIG.add_commandline_args(title, description)
694
695
696 def parse(entry_module: Optional[str]) -> Dict[str, Any]:
697     """Main program should call this early in main().  Note that the
698     :code:`bootstrap.initialize` wrapper takes care of this automatically.
699     This should only be called once per program invocation.  Subsequent
700     calls do not reparse the configuration settings but rather just
701     return the current state.
702     """
703     return CONFIG.parse(entry_module)
704
705
706 def error(message: str, exit_code: int = 1) -> None:
707     """
708     Convenience method for indicating a configuration error.
709     """
710     logging.error(message)
711     print(message, file=sys.stderr)
712     sys.exit(exit_code)
713
714
715 def has_been_parsed() -> bool:
716     """Returns True iff the global config has already been parsed"""
717     return CONFIG.has_been_parsed()
718
719
720 def late_logging() -> None:
721     """Log messages saved earlier now that logging has been initialized."""
722     CONFIG.late_logging()
723
724
725 def dump_config() -> None:
726     """Print the current config to stdout."""
727     CONFIG.dump_config()
728
729
730 def overwrite_argparse_epilog(msg: str) -> None:
731     """Allows your code to override the default epilog created by
732     argparse.
733
734     Args:
735         msg: The epilog message to substitute for the default.
736     """
737     Config.overwrite_argparse_epilog(msg)
738
739
740 def is_flag_already_in_argv(var: str) -> bool:
741     """Returns true if a particular flag is passed on the commandline
742     and false otherwise.
743
744     Args:
745         var: The flag to search for.
746     """
747     return Config.is_flag_already_in_argv(var)
748
749
750 def print_usage() -> None:
751     """Prints the normal help usage message out."""
752     Config.print_usage()
753
754
755 def usage() -> str:
756     """
757     Returns:
758         program usage help text as a string.
759     """
760     return Config.usage()