3 # Copyright (C) 2010-2012 CEA/DEN
5 # This library is free software; you can redistribute it and/or
6 # modify it under the terms of the GNU Lesser General Public
7 # License as published by the Free Software Foundation; either
8 # version 2.1 of the License.
10 # This library is distributed in the hope that it will be useful,
11 # but WITHOUT ANY WARRANTY; without even the implied warranty of
12 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
13 # Lesser General Public License for more details.
15 # You should have received a copy of the GNU Lesser General Public
16 # License along with this library; if not, write to the Free Software
17 # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
28 # internationalization
29 satdir = os.path.dirname(os.path.realpath(__file__))
30 gettext.install('salomeTools', os.path.join(satdir, 'src', 'i18n'))
32 # Define all possible option for config command : sat config <options>
33 parser = src.options.Options()
34 parser.add_option('v', 'value', 'string', 'value',
35 _("Optional: print the value of CONFIG_VARIABLE."))
36 parser.add_option('e', 'edit', 'boolean', 'edit',
37 _("Optional: edit the product configuration file."))
38 parser.add_option('i', 'info', 'string', 'info',
39 _("Optional: get information on a product."))
40 parser.add_option('l', 'list', 'boolean', 'list',
41 _("Optional: list all available applications."))
42 parser.add_option('', 'show_patchs', 'boolean', 'show_patchs',
43 _("Optional: synthetic view of all patches used in the application"))
44 parser.add_option('c', 'copy', 'boolean', 'copy',
45 _("""Optional: copy a config file to the personal config files directory.
46 \tWARNING the included files are not copied.
47 \tIf a name is given the new config file takes the given name."""))
48 parser.add_option('n', 'no_label', 'boolean', 'no_label',
49 _("Internal use: do not print labels, Works only with --value and --list."))
50 parser.add_option('s', 'schema', 'boolean', 'schema',
54 '''Class that helps to find an application pyconf
55 in all the possible directories (pathList)
57 def __init__(self, pathList):
60 :param pathList list: The list of paths where to search a pyconf.
62 self.pathList = pathList
64 def __call__(self, name):
65 if os.path.isabs(name):
66 return src.pyconf.ConfigInputStream(open(name, 'rb'))
68 return src.pyconf.ConfigInputStream(
69 open(os.path.join( self.get_path(name), name ), 'rb') )
70 raise IOError(_("Configuration file '%s' not found") % name)
72 def get_path( self, name ):
73 '''The method that returns the entire path of the pyconf searched
74 :param name str: The name of the searched pyconf.
76 for path in self.pathList:
77 if os.path.exists(os.path.join(path, name)):
79 raise IOError(_("Configuration file '%s' not found") % name)
82 '''Class that manages the read of all the configuration files of salomeTools
84 def __init__(self, datadir=None):
87 def _create_vars(self, application=None, command=None, datadir=None):
88 '''Create a dictionary that stores all information about machine,
89 user, date, repositories, etc...
91 :param application str: The application for which salomeTools is called.
92 :param command str: The command that is called.
93 :param datadir str: The repository that contain external data
95 :return: The dictionary that stores all information.
99 var['user'] = src.architecture.get_user()
100 var['salometoolsway'] = os.path.dirname(
101 os.path.dirname(os.path.abspath(__file__)))
102 var['srcDir'] = os.path.join(var['salometoolsway'], 'src')
103 var['internal_dir'] = os.path.join(var['srcDir'], 'internal_config')
104 var['sep']= os.path.sep
106 # datadir has a default location
107 var['datadir'] = os.path.join(var['salometoolsway'], 'data')
108 if datadir is not None:
109 var['datadir'] = datadir
111 var['personalDir'] = os.path.join(os.path.expanduser('~'),
113 src.ensure_path_exists(var['personalDir'])
115 var['personal_applications_dir'] = os.path.join(var['personalDir'],
117 src.ensure_path_exists(var['personal_applications_dir'])
119 var['personal_products_dir'] = os.path.join(var['personalDir'],
121 src.ensure_path_exists(var['personal_products_dir'])
123 var['personal_archives_dir'] = os.path.join(var['personalDir'],
125 src.ensure_path_exists(var['personal_archives_dir'])
127 var['personal_jobs_dir'] = os.path.join(var['personalDir'],
129 src.ensure_path_exists(var['personal_jobs_dir'])
131 var['personal_machines_dir'] = os.path.join(var['personalDir'],
133 src.ensure_path_exists(var['personal_machines_dir'])
135 # read linux distributions dictionary
136 distrib_cfg = src.pyconf.Config(os.path.join(var['srcDir'],
140 # set platform parameters
141 dist_name = src.architecture.get_distribution(
142 codes=distrib_cfg.DISTRIBUTIONS)
143 dist_version = src.architecture.get_distrib_version(dist_name,
144 codes=distrib_cfg.VERSIONS)
145 dist = dist_name + dist_version
147 var['dist_name'] = dist_name
148 var['dist_version'] = dist_version
150 var['python'] = src.architecture.get_python_version()
152 var['nb_proc'] = src.architecture.get_nb_proc()
153 node_name = platform.node()
154 var['node'] = node_name
155 var['hostname'] = node_name
157 # set date parameters
158 dt = datetime.datetime.now()
159 var['date'] = dt.strftime('%Y%m%d')
160 var['datehour'] = dt.strftime('%Y%m%d_%H%M%S')
161 var['hour'] = dt.strftime('%H%M%S')
163 var['command'] = str(command)
164 var['application'] = str(application)
166 # Root dir for temporary files
167 var['tmp_root'] = os.sep + 'tmp' + os.sep + var['user']
168 # particular win case
169 if src.architecture.is_windows() :
170 var['tmp_root'] = os.path.expanduser('~') + os.sep + 'tmp'
174 def get_command_line_overrides(self, options, sections):
175 '''get all the overwrites that are in the command line
177 :param options: the options from salomeTools class
178 initialization (like -l5 or --overwrite)
179 :param sections str: The config section to overwrite.
180 :return: The list of all the overwrites to apply.
183 # when there are no options or not the overwrite option,
184 # return an empty list
185 if options is None or options.overwrite is None:
189 for section in sections:
190 # only overwrite the sections that correspond to the option
191 over.extend(filter(lambda l: l.startswith(section + "."),
195 def get_config(self, application=None, options=None, command=None,
197 '''get the config from all the configuration files.
199 :param application str: The application for which salomeTools is called.
200 :param options class Options: The general salomeToos
201 options (--overwrite or -l5, for example)
202 :param command str: The command that is called.
203 :param datadir str: The repository that contain
204 external data for salomeTools.
205 :return: The final config.
206 :rtype: class 'src.pyconf.Config'
209 # create a ConfigMerger to handle merge
210 merger = src.pyconf.ConfigMerger()#MergeHandler())
212 # create the configuration instance
213 cfg = src.pyconf.Config()
215 # =====================================================================
216 # create VARS section
217 var = self._create_vars(application=application, command=command,
220 cfg.VARS = src.pyconf.Mapping(cfg)
222 cfg.VARS[variable] = var[variable]
224 # apply overwrite from command line if needed
225 for rule in self.get_command_line_overrides(options, ["VARS"]):
226 exec('cfg.' + rule) # this cannot be factorized because of the exec
228 # =====================================================================
229 # Load INTERNAL config
230 # read src/internal_config/salomeTools.pyconf
231 src.pyconf.streamOpener = ConfigOpener([
232 os.path.join(cfg.VARS.srcDir, 'internal_config')])
234 internal_cfg = src.pyconf.Config(open(os.path.join(cfg.VARS.srcDir,
235 'internal_config', 'salomeTools.pyconf')))
236 except src.pyconf.ConfigError as e:
237 raise src.SatException(_("Error in configuration file:"
238 " salomeTools.pyconf\n %(error)s") % \
241 merger.merge(cfg, internal_cfg)
243 # apply overwrite from command line if needed
244 for rule in self.get_command_line_overrides(options, ["INTERNAL"]):
245 exec('cfg.' + rule) # this cannot be factorized because of the exec
247 # =====================================================================
248 # Load SITE config file
249 # search only in the data directory
250 src.pyconf.streamOpener = ConfigOpener([cfg.VARS.datadir])
252 site_cfg = src.pyconf.Config(open(os.path.join(cfg.VARS.datadir,
254 PWD = ('SITE', cfg.VARS.datadir) )
255 except src.pyconf.ConfigError as e:
256 raise src.SatException(_("Error in configuration file: "
257 "site.pyconf\n %(error)s") % \
259 except IOError as error:
261 if "site.pyconf" in e :
262 e += ("\nYou can copy data"
264 + "site.template.pyconf to data"
266 + "site.pyconf and edit the file")
267 raise src.SatException( e );
268 merger.merge(cfg, site_cfg)
270 # apply overwrite from command line if needed
271 for rule in self.get_command_line_overrides(options, ["SITE"]):
272 exec('cfg.' + rule) # this cannot be factorized because of the exec
274 # =====================================================================
276 projects_cfg = src.pyconf.Config()
277 projects_cfg.addMapping("PROJECTS",
278 src.pyconf.Mapping(projects_cfg),
280 projects_cfg.PROJECTS.addMapping("projects",
281 src.pyconf.Mapping(cfg.PROJECTS),
282 "The projects definition\n")
284 for project_pyconf_path in cfg.PROJECTS.project_file_paths:
285 if not os.path.exists(project_pyconf_path):
286 msg = _("WARNING: The project file %s cannot be found. "
287 "It will be ignored\n" % project_pyconf_path)
288 sys.stdout.write(msg)
290 project_name = os.path.basename(
291 project_pyconf_path)[:-len(".pyconf")]
293 project_pyconf_dir = os.path.dirname(project_pyconf_path)
294 project_cfg = src.pyconf.Config(open(project_pyconf_path),
295 PWD=("", project_pyconf_dir))
296 except Exception as e:
297 msg = _("WARNING: Error in configuration file: "
298 "%(file_path)s\n %(error)s\n") % \
299 {'file_path' : project_pyconf_path, 'error': str(e) }
300 sys.stdout.write(msg)
302 projects_cfg.PROJECTS.projects.addMapping(project_name,
303 src.pyconf.Mapping(projects_cfg.PROJECTS.projects),
304 "The %s project\n" % project_name)
305 projects_cfg.PROJECTS.projects[project_name]=project_cfg
306 projects_cfg.PROJECTS.projects[project_name]["file_path"] = \
309 merger.merge(cfg, projects_cfg)
311 # apply overwrite from command line if needed
312 for rule in self.get_command_line_overrides(options, ["PROJECTS"]):
313 exec('cfg.' + rule) # this cannot be factorized because of the exec
315 # =====================================================================
316 # Create the paths where to search the application configurations,
317 # the product configurations, the products archives,
318 # the jobs configurations and the machines configurations
319 cfg.addMapping("PATHS", src.pyconf.Mapping(cfg), "The paths\n")
320 cfg.PATHS["APPLICATIONPATH"] = src.pyconf.Sequence(cfg.PATHS)
321 cfg.PATHS.APPLICATIONPATH.append(cfg.VARS.personal_applications_dir, "")
323 cfg.PATHS["PRODUCTPATH"] = src.pyconf.Sequence(cfg.PATHS)
324 cfg.PATHS.PRODUCTPATH.append(cfg.VARS.personal_products_dir, "")
325 cfg.PATHS["ARCHIVEPATH"] = src.pyconf.Sequence(cfg.PATHS)
326 cfg.PATHS.ARCHIVEPATH.append(cfg.VARS.personal_archives_dir, "")
327 cfg.PATHS["JOBPATH"] = src.pyconf.Sequence(cfg.PATHS)
328 cfg.PATHS.JOBPATH.append(cfg.VARS.personal_jobs_dir, "")
329 cfg.PATHS["MACHINEPATH"] = src.pyconf.Sequence(cfg.PATHS)
330 cfg.PATHS.MACHINEPATH.append(cfg.VARS.personal_machines_dir, "")
331 # Loop over the projects in order to complete the PATHS variables
332 for project in cfg.PROJECTS.projects:
333 for PATH in ["APPLICATIONPATH",
338 if PATH not in cfg.PROJECTS.projects[project]:
340 cfg.PATHS[PATH].append(cfg.PROJECTS.projects[project][PATH], "")
342 # apply overwrite from command line if needed
343 for rule in self.get_command_line_overrides(options, ["PATHS"]):
344 exec('cfg.' + rule) # this cannot be factorized because of the exec
346 # =====================================================================
347 # Load product config files in PRODUCTS section
348 products_cfg = src.pyconf.Config()
349 products_cfg.addMapping("PRODUCTS",
350 src.pyconf.Mapping(products_cfg),
352 src.pyconf.streamOpener = ConfigOpener(cfg.PATHS.PRODUCTPATH)
353 for products_dir in cfg.PATHS.PRODUCTPATH:
354 # Loop on all files that are in softsDir directory
355 # and read their config
356 for fName in os.listdir(products_dir):
357 if fName.endswith(".pyconf"):
358 pName = fName[:-len(".pyconf")]
359 if pName in products_cfg.PRODUCTS:
362 prod_cfg = src.pyconf.Config(open(
363 os.path.join(products_dir,
365 PWD=("", products_dir))
366 except Exception as e:
368 "WARNING: Error in configuration file"
369 ": %(prod)s\n %(error)s" % \
370 {'prod' : fName, 'error': str(e) })
371 sys.stdout.write(msg)
374 products_cfg.PRODUCTS[pName] = prod_cfg
376 merger.merge(cfg, products_cfg)
378 # apply overwrite from command line if needed
379 for rule in self.get_command_line_overrides(options, ["PRODUCTS"]):
380 exec('cfg.' + rule) # this cannot be factorized because of the exec
382 # =====================================================================
383 # Load APPLICATION config file
384 if application is not None:
385 # search APPLICATION file in all directories in configPath
386 cp = cfg.PATHS.APPLICATIONPATH
387 src.pyconf.streamOpener = ConfigOpener(cp)
390 application_cfg = src.pyconf.Config(application + '.pyconf')
392 raise src.SatException(_("%s, use 'config --list' to get the"
393 " list of available applications.") %e)
394 except src.pyconf.ConfigError as e:
395 if (not ('-e' in parser.parse_args()[1])
396 or ('--edit' in parser.parse_args()[1])
397 and command == 'config'):
398 raise src.SatException(_("Error in configuration file: "
399 "%(application)s.pyconf\n "
401 { 'application': application, 'error': str(e) } )
403 sys.stdout.write(src.printcolors.printcWarning(
404 "There is an error in the file"
405 " %s.pyconf.\n" % cfg.VARS.application))
407 except Exception as e:
408 if (not ('-e' in parser.parse_args()[1])
409 or ('--edit' in parser.parse_args()[1])
410 and command == 'config'):
411 sys.stdout.write(src.printcolors.printcWarning("%s\n" % str(e)))
412 raise src.SatException(_("Error in configuration file:"
413 " %(application)s.pyconf\n") % \
414 { 'application': application} )
416 sys.stdout.write(src.printcolors.printcWarning(
417 "There is an error in the file"
418 " %s.pyconf. Opening the file with the"
419 " default viewer\n" % cfg.VARS.application))
420 sys.stdout.write("The error:"
421 " %s\n" % src.printcolors.printcWarning(
426 merger.merge(cfg, application_cfg)
428 # apply overwrite from command line if needed
429 for rule in self.get_command_line_overrides(options,
431 # this cannot be factorized because of the exec
434 # default launcher name ('salome')
435 if ('profile' in cfg.APPLICATION and
436 'launcher_name' not in cfg.APPLICATION.profile):
437 cfg.APPLICATION.profile.launcher_name = 'salome'
440 cfg['open_application'] = 'yes'
443 # =====================================================================
445 self.set_user_config_file(cfg)
446 user_cfg_file = self.get_user_config_file()
447 user_cfg = src.pyconf.Config(open(user_cfg_file))
448 merger.merge(cfg, user_cfg)
450 # apply overwrite from command line if needed
451 for rule in self.get_command_line_overrides(options, ["USER"]):
452 exec('cfg.' + rule) # this cannot be factorize because of the exec
456 def set_user_config_file(self, config):
457 '''Set the user config file name and path.
458 If necessary, build it from another one or create it from scratch.
460 :param config class 'src.pyconf.Config': The global config
461 (containing all pyconf).
463 # get the expected name and path of the file
464 self.config_file_name = 'salomeTools.pyconf'
465 self.user_config_file_path = os.path.join(config.VARS.personalDir,
466 self.config_file_name)
468 # if pyconf does not exist, create it from scratch
469 if not os.path.isfile(self.user_config_file_path):
470 self.create_config_file(config)
472 def create_config_file(self, config):
473 '''This method is called when there are no user config file.
474 It build it from scratch.
476 :param config class 'src.pyconf.Config': The global config.
477 :return: the config corresponding to the file created.
478 :rtype: config class 'src.pyconf.Config'
481 cfg_name = self.get_user_config_file()
483 user_cfg = src.pyconf.Config()
485 user_cfg.addMapping('USER', src.pyconf.Mapping(user_cfg), "")
488 user_cfg.USER.addMapping('workdir', os.path.expanduser('~'),
489 "This is where salomeTools will work. "
490 "You may (and probably do) change it.\n")
491 user_cfg.USER.addMapping('cvs_user', config.VARS.user,
492 "This is the user name used to access salome cvs base.\n")
493 user_cfg.USER.addMapping('svn_user', config.VARS.user,
494 "This is the user name used to access salome svn base.\n")
495 user_cfg.USER.addMapping('output_verbose_level', 3,
496 "This is the default output_verbose_level you want."
497 " 0=>no output, 5=>debug.\n")
498 user_cfg.USER.addMapping('publish_dir',
499 os.path.join(os.path.expanduser('~'),
503 user_cfg.USER.addMapping('editor',
505 "This is the editor used to "
506 "modify configuration files\n")
507 user_cfg.USER.addMapping('browser',
509 "This is the browser used to "
510 "read html documentation\n")
511 user_cfg.USER.addMapping('pdf_viewer',
513 "This is the pdf_viewer used "
514 "to read pdf documentation\n")
515 user_cfg.USER.addMapping("base",
516 src.pyconf.Reference(
519 'workdir + $VARS.sep + "BASE"'),
520 "The products installation base (could be "
521 "ignored if this key exists in the site.pyconf"
522 " file of salomTools).\n")
524 user_cfg.USER.addMapping("log_dir",
525 src.pyconf.Reference(
528 'workdir + $VARS.sep + "LOGS"'),
529 "The log repository\n")
532 src.ensure_path_exists(config.VARS.personalDir)
533 src.ensure_path_exists(os.path.join(config.VARS.personalDir,
536 f = open(cfg_name, 'w')
542 def get_user_config_file(self):
543 '''Get the user config file
544 :return: path to the user config file.
547 if not self.user_config_file_path:
548 raise src.SatException(_("Error in get_user_config_file: "
549 "missing user config file path"))
550 return self.user_config_file_path
552 def check_path(path, ext=[]):
553 '''Construct a text with the input path and "not found" if it does not
556 :param path Str: the path to check.
557 :param ext List: An extension. Verify that the path extension
559 :return: The string of the path with information
562 # check if file exists
563 if not os.path.exists(path):
564 return "'%s'" % path + " " + src.printcolors.printcError(_(
569 fe = os.path.splitext(path)[1].lower()
571 return "'%s'" % path + " " + src.printcolors.printcError(_(
576 def show_product_info(config, name, logger):
577 '''Display on the terminal and logger information about a product.
579 :param config Config: the global configuration.
580 :param name Str: The name of the product
581 :param logger Logger: The logger instance to use for the display
584 logger.write(_("%s is a product\n") % src.printcolors.printcLabel(name), 2)
585 pinfo = src.product.get_product_config(config, name)
587 # Type of the product
588 ptype = src.get_cfg_param(pinfo, "type", "")
589 src.printcolors.print_value(logger, "type", ptype, 2)
590 if "depend" in pinfo:
591 src.printcolors.print_value(logger,
593 ', '.join(pinfo.depend), 2)
595 if "opt_depend" in pinfo:
596 src.printcolors.print_value(logger,
598 ', '.join(pinfo.opt_depend), 2)
600 # information on prepare
601 logger.write("\n", 2)
602 logger.write(src.printcolors.printcLabel("prepare:") + "\n", 2)
604 is_dev = src.product.product_is_dev(pinfo)
605 method = pinfo.get_source
608 src.printcolors.print_value(logger, "get method", method, 2)
611 src.printcolors.print_value(logger, "server", pinfo.cvs_info.server, 2)
612 src.printcolors.print_value(logger, "base module",
613 pinfo.cvs_info.module_base, 2)
614 src.printcolors.print_value(logger, "source", pinfo.cvs_info.source, 2)
615 src.printcolors.print_value(logger, "tag", pinfo.cvs_info.tag, 2)
617 elif method == 'svn':
618 src.printcolors.print_value(logger, "repo", pinfo.svn_info.repo, 2)
620 elif method == 'git':
621 src.printcolors.print_value(logger, "repo", pinfo.git_info.repo, 2)
622 src.printcolors.print_value(logger, "tag", pinfo.git_info.tag, 2)
624 elif method == 'archive':
625 src.printcolors.print_value(logger,
627 check_path(pinfo.archive_info.archive_name),
630 if 'patches' in pinfo:
631 for patch in pinfo.patches:
632 src.printcolors.print_value(logger, "patch", check_path(patch), 2)
634 if src.product.product_is_fixed(pinfo):
635 src.printcolors.print_value(logger, "install_dir",
636 check_path(pinfo.install_dir), 2)
638 if src.product.product_is_native(pinfo) or src.product.product_is_fixed(pinfo):
641 # information on compilation
642 if src.product.product_compiles(pinfo):
643 logger.write("\n", 2)
644 logger.write(src.printcolors.printcLabel("compile:") + "\n", 2)
645 src.printcolors.print_value(logger,
646 "compilation method",
650 if pinfo.build_source == "script" and "compil_script" in pinfo:
651 src.printcolors.print_value(logger,
652 "Compilation script",
656 if 'nb_proc' in pinfo:
657 src.printcolors.print_value(logger, "make -j", pinfo.nb_proc, 2)
659 src.printcolors.print_value(logger,
661 check_path(pinfo.source_dir),
663 if 'install_dir' in pinfo:
664 src.printcolors.print_value(logger,
666 check_path(pinfo.build_dir),
668 src.printcolors.print_value(logger,
670 check_path(pinfo.install_dir),
674 src.printcolors.printcWarning(_("no install dir")) +
677 logger.write("\n", 2)
678 msg = _("This product does not compile")
679 logger.write("%s\n" % msg, 2)
681 # information on environment
682 logger.write("\n", 2)
683 logger.write(src.printcolors.printcLabel("environ :") + "\n", 2)
684 if "environ" in pinfo and "env_script" in pinfo.environ:
685 src.printcolors.print_value(logger,
687 check_path(pinfo.environ.env_script),
690 zz = src.environment.SalomeEnviron(config,
691 src.fileEnviron.ScreenEnviron(logger),
693 zz.set_python_libdirs()
694 zz.set_a_product(name, logger)
696 def show_patchs(config, logger):
697 '''Prints all the used patchs in the application.
699 :param config Config: the global configuration.
700 :param logger Logger: The logger instance to use for the display
702 len_max = max([len(p) for p in config.APPLICATION.products]) + 2
703 for product in config.APPLICATION.products:
704 product_info = src.product.get_product_config(config, product)
705 if src.product.product_has_patches(product_info):
706 logger.write("%s: " % product, 1)
707 logger.write(src.printcolors.printcInfo(
708 " " * (len_max - len(product) -2) +
709 "%s\n" % product_info.patches[0]),
711 if len(product_info.patches) > 1:
712 for patch in product_info.patches[1:]:
713 logger.write(src.printcolors.printcInfo(len_max*" " +
715 logger.write("\n", 1)
717 def print_value(config, path, show_label, logger, level=0, show_full_path=False):
718 '''Prints a value from the configuration. Prints recursively the values
719 under the initial path.
721 :param config class 'src.pyconf.Config': The configuration
722 from which the value is displayed.
723 :param path str : the path in the configuration of the value to print.
724 :param show_label boolean: if True, do a basic display.
725 (useful for bash completion)
726 :param logger Logger: the logger instance
727 :param level int: The number of spaces to add before display.
728 :param show_full_path :
731 # Make sure that the path does not ends with a point
732 if path.endswith('.'):
735 # display all the path or not
739 vname = path.split('.')[-1]
741 # number of spaces before the display
742 tab_level = " " * level
744 # call to the function that gets the value of the path.
746 val = config.getByPath(path)
747 except Exception as e:
748 logger.write(tab_level)
749 logger.write("%s: ERROR %s\n" % (src.printcolors.printcLabel(vname),
750 src.printcolors.printcError(str(e))))
753 # in this case, display only the value
755 logger.write(tab_level)
756 logger.write("%s: " % src.printcolors.printcLabel(vname))
758 # The case where the value has under values,
759 # do a recursive call to the function
760 if dir(val).__contains__('keys'):
761 if show_label: logger.write("\n")
762 for v in sorted(val.keys()):
763 print_value(config, path + '.' + v, show_label, logger, level + 1)
764 elif val.__class__ == src.pyconf.Sequence or isinstance(val, list):
765 # in this case, value is a list (or a Sequence)
766 if show_label: logger.write("\n")
769 print_value(config, path + "[" + str(index) + "]",
770 show_label, logger, level + 1)
772 else: # case where val is just a str
773 logger.write("%s\n" % val)
775 def get_config_children(config, args):
776 '''Gets the names of the children of the given parameter.
777 Useful only for completion mechanism
779 :param config Config: The configuration where to read the values
780 :param args: The path in the config from which get the keys
783 rootkeys = config.keys()
786 # no parameter returns list of root keys
790 pos = parent.rfind('.')
792 # Case where there is only on key as parameter.
794 vals = [m for m in rootkeys if m.startswith(parent)]
796 # Case where there is a part from a key
797 # for example VARS.us (for VARS.user)
799 tail = parent[pos+1:]
801 a = config.getByPath(head)
802 if dir(a).__contains__('keys'):
803 vals = map(lambda x: head + '.' + x,
804 [m for m in a.keys() if m.startswith(tail)])
808 for v in sorted(vals):
809 sys.stdout.write("%s\n" % v)
812 '''method that is called when salomeTools is called with --help option.
814 :return: The text to display for the config command description.
817 return _("The config command allows manipulation "
818 "and operation on config files.\n\nexample:\nsat config "
819 "SALOME-master --info ParaView")
822 def run(args, runner, logger):
823 '''method that is called when salomeTools is called with config parameter.
826 (options, args) = parser.parse_args(args)
828 # Only useful for completion mechanism : print the keys of the config
830 get_config_children(runner.cfg, args)
833 # case : print a value of the config
835 if options.value == ".":
836 # if argument is ".", print all the config
837 for val in sorted(runner.cfg.keys()):
838 print_value(runner.cfg, val, not options.no_label, logger)
840 print_value(runner.cfg, options.value, not options.no_label, logger,
841 level=0, show_full_path=False)
843 # case : edit user pyconf file or application file
845 editor = runner.cfg.USER.editor
846 if ('APPLICATION' not in runner.cfg and
847 'open_application' not in runner.cfg): # edit user pyconf
848 usercfg = os.path.join(runner.cfg.VARS.personalDir,
849 'salomeTools.pyconf')
850 logger.write(_("Openning %s\n" % usercfg), 3)
851 src.system.show_in_editor(editor, usercfg, logger)
853 # search for file <application>.pyconf and open it
854 for path in runner.cfg.PATHS.APPLICATIONPATH:
855 pyconf_path = os.path.join(path,
856 runner.cfg.VARS.application + ".pyconf")
857 if os.path.exists(pyconf_path):
858 logger.write(_("Openning %s\n" % pyconf_path), 3)
859 src.system.show_in_editor(editor, pyconf_path, logger)
862 # case : give information about the product in parameter
864 src.check_config_has_application(runner.cfg)
865 if options.info in runner.cfg.APPLICATION.products:
866 show_product_info(runner.cfg, options.info, logger)
868 raise src.SatException(_("%(product_name)s is not a product "
869 "of %(application_name)s.") %
870 {'product_name' : options.info,
872 runner.cfg.VARS.application})
874 # case : copy an existing <application>.pyconf
875 # to ~/.salomeTools/Applications/LOCAL_<application>.pyconf
877 # product is required
878 src.check_config_has_application( runner.cfg )
880 # get application file path
881 source = runner.cfg.VARS.application + '.pyconf'
882 source_full_path = ""
883 for path in runner.cfg.PATHS.APPLICATIONPATH:
884 # ignore personal directory
885 if path == runner.cfg.VARS.personalDir:
887 # loop on all directories that can have pyconf applications
888 zz = os.path.join(path, source)
889 if os.path.exists(zz):
890 source_full_path = zz
893 if len(source_full_path) == 0:
894 raise src.SatException(_(
895 "Config file for product %s not found\n") % source)
898 # a name is given as parameter, use it
900 elif 'copy_prefix' in runner.cfg.INTERNAL.config:
902 dest = (runner.cfg.INTERNAL.config.copy_prefix
903 + runner.cfg.VARS.application)
905 # use same name as source
906 dest = runner.cfg.VARS.application
909 dest_file = os.path.join(runner.cfg.VARS.personalDir,
910 'Applications', dest + '.pyconf')
911 if os.path.exists(dest_file):
912 raise src.SatException(_("A personal application"
913 " '%s' already exists") % dest)
916 shutil.copyfile(source_full_path, dest_file)
917 logger.write(_("%s has been created.\n") % dest_file)
919 # case : display all the available pyconf applications
922 # search in all directories that can have pyconf applications
923 for path in runner.cfg.PATHS.APPLICATIONPATH:
925 if not options.no_label:
926 logger.write("------ %s\n" % src.printcolors.printcHeader(path))
928 if not os.path.exists(path):
929 logger.write(src.printcolors.printcError(_(
930 "Directory not found")) + "\n")
932 for f in sorted(os.listdir(path)):
933 # ignore file that does not ends with .pyconf
934 if not f.endswith('.pyconf'):
937 appliname = f[:-len('.pyconf')]
938 if appliname not in lproduct:
939 lproduct.append(appliname)
940 if path.startswith(runner.cfg.VARS.personalDir) \
941 and not options.no_label:
942 logger.write("%s*\n" % appliname)
944 logger.write("%s\n" % appliname)
947 # case : give a synthetic view of all patches used in the application
948 elif options.show_patchs:
949 src.check_config_has_application(runner.cfg)
950 # Print some informations
951 logger.write(_('Show the patchs of application %s\n') %
952 src.printcolors.printcLabel(runner.cfg.VARS.application), 3)
953 logger.write("\n", 2, False)
954 show_patchs(runner.cfg, logger)