1 # -*- coding: iso-8859-1 -*-
2 # Copyright (C) 2007-2024 CEA, EDF, OPEN CASCADE
4 # Copyright (C) 2003-2007 OPEN CASCADE, EADS/CCR, LIP6, CEA/DEN,
5 # CEDRAT, EDF R&D, LEG, PRINCIPIA R&D, BUREAU VERITAS
7 # This library is free software; you can redistribute it and/or
8 # modify it under the terms of the GNU Lesser General Public
9 # License as published by the Free Software Foundation; either
10 # version 2.1 of the License, or (at your option) any later version.
12 # This library is distributed in the hope that it will be useful,
13 # but WITHOUT ANY WARRANTY; without even the implied warranty of
14 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
15 # Lesser General Public License for more details.
17 # You should have received a copy of the GNU Lesser General Public
18 # License along with this library; if not, write to the Free Software
19 # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
21 # See http://www.salome-platform.org/ or email : webmaster.salome@opencascade.com
31 from salome_utils import verbose, getPortNumber, getHomeDir
34 # names of tags in XML configuration file
40 # names of attributes in XML configuration file
44 # certain values in XML configuration file ("launch" section)
52 portkill_nam = "portkill"
53 killall_nam = "killall"
54 modules_nam = "modules"
55 embedded_nam = "embedded"
56 standalone_nam = "standalone"
58 terminal_nam = "terminal"
60 except_nam = "noexcepthandler"
61 terminal_nam = "terminal"
67 gdb_session_nam = "gdb_session"
68 ddd_session_nam = "ddd_session"
69 valgrind_session_nam = "valgrind_session"
70 shutdown_servers_nam = "shutdown_servers"
71 foreground_nam = "foreground"
72 wake_up_session_nam = "wake_up_session"
73 launcher_only_nam = "launcher_only"
74 launcher_nam = "launcher"
76 # values in XML configuration file giving specific module parameters (<module_name> section)
77 # which are stored in opts with key <module_name>_<parameter> (eg SMESH_plugins)
78 plugins_nam = "plugins"
80 # values passed as arguments, NOT read from XML config file, but set from within this script
81 appname_nam = "appname"
83 useport_nam = "useport"
84 salomecfgname = "salome"
85 salomeappname = "SalomeApp"
86 script_nam = "pyscript"
87 verbosity_nam = "verbosity"
88 on_demand_nam = "on_demand"
90 # possible choices for the "embedded" and "standalone" parameters
91 embedded_choices = [ "registry", "study", "moduleCatalog", "cppContainer", "SalomeAppEngine" ]
92 standalone_choices = [ "registry", "study", "moduleCatalog", "cppContainer"]
94 # values of boolean type (must be '0' or '1').
95 # xml_parser.boolValue() is used for correct setting
96 boolKeys = ( gui_nam, splash_nam, logger_nam, file_nam, xterm_nam, portkill_nam, killall_nam, except_nam, pinter_nam, shutdown_servers_nam, launcher_only_nam, on_demand_nam )
97 intKeys = ( interp_nam, )
98 strKeys = ( launcher_nam )
100 # values of list type
101 listKeys = ( embedded_nam, key_nam, modules_nam, standalone_nam, plugins_nam )
104 # Get the application version
105 # Uses GUI_ROOT_DIR (or KERNEL_ROOT_DIR in batch mode) +/bin/salome/VERSION file
110 root_dir = os.environ.get( 'KERNEL_ROOT_DIR', '' ) # KERNEL_ROOT_DIR or "" if not found
111 version_file = os.path.join(root_dir, 'bin', 'salome', 'VERSION')
112 if root_dir and os.path.exists( version_file ):
113 filename = version_file
114 root_dir = os.environ.get( 'GUI_ROOT_DIR', '' ) # GUI_ROOT_DIR "" if not found
115 version_file = os.path.join(root_dir, 'bin', 'salome', 'VERSION')
116 if root_dir and os.path.exists( version_file ):
117 filename = version_file
119 with open(filename, "r") as f:
120 v = f.readline() # v = "THIS IS SALOME - SALOMEGUI VERSION: 3.0.0"
121 match = re.search( r':\s+([a-zA-Z0-9.]+)\s*$', v )
123 return match.group( 1 )
129 # Calculate and return configuration file unique ID
130 # For example: for SALOME version 3.1.0a1 the id is 300999701
132 def version_id(fname):
133 major = minor = release = dev1 = dev2 = 0
134 vers = fname.split(".")
139 # If salome version given is DEV, the call to int('DEV') will fail with
140 # a ValueError exception
143 if len(vers) > 1: minor = int(vers[1])
145 # If salome version given is 7.DEV, the call to int('DEV') will fail with
146 # a ValueError exception
149 mr = re.search(r'^([0-9]+)([A-Z]|RC)?([0-9]*)',vers[2], re.I)
151 release = int(mr.group(1))
153 tag = mr.group(2).strip().lower()
155 dev1 = 49 # release candidate
157 dev1 = ord(tag)-ord('a')+1
160 dev2 = int(mr.group(3).strip())
163 dev = dev1 * 100 + dev2
165 ver = ver * 100 + minor
166 ver = ver * 100 + release
168 if dev > 0: ver = ver - dev
172 # Get default user configuration file name
174 # - on Linux: ~/.config/salome/SalomeApprc[.<version>]
175 # - on Windows: ~/SalomeApp.xml[.<version>]
176 # where <version> is an optional version number
178 def defaultUserFile(appname=salomeappname, cfgname=salomecfgname):
180 filetmpl = sys.platform == "win32" and "{0}.xml.{1}" or "{0}rc.{1}"
182 paths.append(getHomeDir())
183 paths.append(".config")
184 if cfgname: paths.append(cfgname)
185 paths.append(filetmpl.format(appname, v))
186 return os.path.join(*paths)
189 # Get user configuration file name
191 def userFile(appname, cfgname):
194 if not v: return None # unknown version
196 # get default user file name
197 filename = defaultUserFile(appname, cfgname)
198 if not filename: return None # default user file name is bad
200 # check that default user file exists
201 if os.path.exists(filename): return filename # user file is found
203 # otherwise try to detect any appropriate user file
205 # ... calculate default version id
207 if not id0: return None # bad version id -> can't detect appropriate file
209 # ... get all existing user preferences files
210 filetmpl1 = sys.platform == "win32" and "{0}.xml.*" or "{0}rc.*"
211 filetmpl2 = sys.platform == "win32" and filetmpl1 or "." + filetmpl1
214 # Since v6.6.0 - in ~/.config/salome directory, without dot prefix
215 files += glob.glob(os.path.join(getHomeDir(), ".config", cfgname, filetmpl1.format(appname)))
216 # Since v6.5.0 - in ~/.config/salome directory, dot-prefixed (backward compatibility)
217 if filetmpl2 and filetmpl2 != filetmpl1:
218 files += glob.glob(os.path.join(getHomeDir(), ".config", cfgname, filetmpl2.format(appname)))
220 # old style (before v6.5.0) - in ~ directory, dot-prefixed
221 if filetmpl2 and filetmpl2 != filetmpl1:
222 files += glob.glob(os.path.join(getHomeDir(), filetmpl2.format(appname)))
225 # ... loop through all files and find most appropriate file (with closest id)
229 ff = os.path.basename( f )
230 if sys.platform == "win32":
231 match = re.search( r'^{0}\.xml\.([a-zA-Z0-9.]+)$'.format(appname), ff )
233 match = re.search( r'^\.?{0}rc\.([a-zA-Z0-9.]+)$'.format(appname), ff )
235 ver = version_id(match.group(1))
236 if not ver: continue # bad version id -> skip file
237 if appr_id < 0 or abs(appr_id-id0) > abs(ver-id0):
241 elif abs(appr_id-id0) == abs(ver-id0):
242 if not os.path.basename(f).startswith("."): appr_file = f
250 def process_containers_params( standalone, embedded ):
251 # 1. filter inappropriate containers names
252 if standalone is not None:
253 standalone = [x for x in standalone if x in standalone_choices]
254 if embedded is not None:
255 embedded = [x for x in embedded if x in embedded_choices]
257 # 2. remove containers appearing in 'standalone' parameter from the 'embedded'
258 # parameter --> i.e. 'standalone' parameter has higher priority
259 if standalone is not None and embedded is not None:
260 embedded = [x for x in embedded if x not in standalone]
262 # 3. return corrected parameters values
263 return standalone, embedded
265 # -----------------------------------------------------------------------------
268 # XML reader for launch configuration file usage
274 def __init__(self, fileName, _opts, _importHistory):
275 #warning _importHistory=[] is NOT good: is NOT empty,reinitialized after first call
276 if verbose(): print("Configure parser: processing %s ..." % fileName)
277 self.fileName = os.path.abspath(fileName)
278 self.importHistory = _importHistory
279 self.importHistory.append(self.fileName)
282 self.section = section_to_skip
283 parser = xml.sax.make_parser()
284 parser.setContentHandler(self)
285 parser.parse(fileName)
286 standalone, embedded = process_containers_params( self.opts.get( standalone_nam ),
287 self.opts.get( embedded_nam ) )
288 if standalone is not None:
289 self.opts[ standalone_nam ] = standalone
290 if embedded is not None:
291 self.opts[ embedded_nam ] = embedded
294 def boolValue( self, item):
296 if isinstance(strloc, str):
297 strloc = strloc.encode().strip()
298 if isinstance(strloc, bytes):
299 strlow = strloc.decode().lower()
300 if strlow in ("1", "yes", "y", "on", "true", "ok"):
302 elif strlow in ("0", "no", "n", "off", "false", "cancel"):
307 def intValue( self, item):
309 if isinstance(strloc, str):
310 strloc = strloc.encode().strip()
311 if isinstance(strloc, bytes):
312 strlow = strloc.decode().lower()
313 if strlow in ("1", "yes", "y", "on", "true", "ok"):
315 elif strlow in ("0", "no", "n", "off", "false", "cancel"):
318 return int(strloc.decode())
322 def strValue( self, item):
325 if isinstance( strloc, str):
326 strloc = strloc.strip()
328 if isinstance( strloc, bytes):
329 strloc = strloc.decode().strip()
334 def startElement(self, name, attrs):
335 self.space.append(name)
338 # if we are importing file
339 if self.space == [doc_tag, import_tag] and nam_att in attrs.getNames():
340 self.importFile( attrs.getValue(nam_att) )
342 # if we are analyzing "section" element and its "name" attribute is
343 # either "launch" or module name -- set section_name
344 if self.space == [doc_tag, sec_tag] and nam_att in attrs.getNames():
345 section_name = attrs.getValue( nam_att )
346 if section_name in [lanch_nam, lang_nam]:
347 self.section = section_name # launch section
348 elif modules_nam in self.opts and \
349 section_name in self.opts[ modules_nam ]:
350 self.section = section_name # <module> section
352 self.section = section_to_skip # any other section
355 # if we are analyzing "parameter" elements - children of either
356 # "section launch" or "section "<module>"" element, then store them
357 # in self.opts assiciative array (key = [<module>_ + ] value of "name" attribute)
358 elif self.section != section_to_skip and \
359 self.space == [doc_tag, sec_tag, par_tag] and \
360 nam_att in attrs.getNames() and \
361 val_att in attrs.getNames():
362 nam = attrs.getValue( nam_att )
363 val = attrs.getValue( val_att )
364 if self.section == lanch_nam: # key for launch section
366 else: # key for <module> section
367 key = self.section + "_" + nam
368 key = self.strValue( key )
370 self.opts[key] = self.boolValue( val ) # assign boolean value: 0 or 1
372 self.opts[key] = self.intValue( val ) # assign integer value
374 self.opts[key] = val # assign value
375 elif nam in listKeys:
376 self.opts[key] = [ self.strValue( a ) for a in re.split( "[:;,]", val ) ] # assign list value: []
378 self.opts[key] = self.strValue( val ) # string value
382 def endElement(self, name):
385 if self.section != section_to_skip and name == sec_tag:
386 self.section = section_to_skip
389 def characters(self, content):
392 def processingInstruction(self, target, data):
395 def setDocumentLocator(self, locator):
398 def startDocument(self):
402 def endDocument(self):
406 def importFile(self, fname):
408 if os.path.isabs (fname) :
411 absfname = os.path.join(os.path.dirname(self.fileName), fname)
413 # check existing and registry file
414 for ext in ["", ".xml", ".XML"] :
415 if os.path.exists(absfname + ext) :
417 if absfname in self.importHistory :
418 if verbose(): print("Configure parser: Warning : file %s is already imported" % absfname)
419 return # already imported
423 if verbose(): print("Configure parser: Error : file %s does not exist" % absfname)
428 # copy current options
430 opts = copy.deepcopy(self.opts)
432 imp = xml_parser(absfname, opts, self.importHistory)
435 if key not in self.opts:
436 self.opts[key] = imp.opts[key]
441 if verbose(): print("Configure parser: Error : can not read configuration file %s" % absfname)
445 # -----------------------------------------------------------------------------
447 booleans = {'1': True , 'yes': True , 'y': True , 'on' : True , 'true' : True , 'ok' : True,
448 '0': False, 'no' : False, 'n': False, 'off': False, 'false': False, 'cancel' : False}
450 boolean_choices = list(booleans.keys())
453 class CheckEmbeddedAction(argparse.Action):
454 def __call__(self, parser, namespace, value, option_string=None):
455 assert value is not None
456 if namespace.embedded:
457 embedded = [a for a in re.split("[:;,]", namespace.embedded) if a.strip()]
460 if namespace.standalone:
461 standalone = [a for a in re.split("[:;,]", namespace.standalone) if a.strip()]
464 vals = [a for a in re.split("[:;,]", value) if a.strip()]
466 if v not in embedded_choices:
467 raise argparse.ArgumentError("option %s: invalid choice: %r (choose from %s)"
468 % (self.dest, v, ", ".join(map(repr, embedded_choices))))
469 if v not in embedded:
472 del standalone[standalone.index(v)]
474 namespace.embedded = ",".join(embedded)
475 namespace.standalone = ",".join(standalone)
479 class CheckStandaloneAction(argparse.Action):
480 def __call__(self, parser, namespace, value, option_string=None):
481 assert value is not None
482 if namespace.embedded:
483 embedded = [a for a in re.split("[:;,]", namespace.embedded) if a.strip()]
486 if namespace.standalone:
487 standalone = [a for a in re.split("[:;,]", namespace.standalone) if a.strip()]
490 vals = [a for a in re.split("[:;,]", value) if a.strip()]
492 if v not in standalone_choices:
493 raise argparse.ArgumentError("option %s: invalid choice: %r (choose from %s)"
494 % (self.dest, v, ", ".join(map(repr, standalone_choices))))
495 if v not in standalone:
498 del embedded[embedded.index(v)]
500 namespace.embedded = ",".join(embedded)
501 namespace.standalone = ",".join(standalone)
504 class StoreBooleanAction(argparse.Action):
505 def __call__(self, parser, namespace, value, option_string=None):
506 if isinstance(value, bytes):
507 value = value.decode()
508 if isinstance(value, str):
510 value_conv = booleans[value.strip().lower()]
511 setattr(namespace, self.dest, value_conv)
513 raise argparse.ArgumentError(
514 "option %s: invalid boolean value: %s (choose from %s)"
515 % (self.dest, value, boolean_choices))
517 setattr(namespace, self.dest, value)
520 def CreateOptionParser(exeName=None):
525 a_usage = """%s [options] [STUDY_FILE] [PYTHON_FILE [args] [PYTHON_FILE [args]...]]
526 Python file arguments, if any, must be comma-separated (without blank characters) and prefixed by "args:" (without quotes), e.g. myscript.py args:arg1,arg2=val,...
528 version_str = "Salome %s" % version()
529 pars = argparse.ArgumentParser(usage=a_usage)
532 pars.add_argument('-v', '--version', action='version', version=version_str)
534 # GUI/Terminal. Default: GUI
535 help_str = "Launch without GUI (in the terminal mode)."
536 pars.add_argument("-t",
538 action="store_false",
542 help_str = "Launch in Batch Mode. (Without GUI on batch machine)"
543 pars.add_argument("-b",
549 help_str = "Launch in GUI mode [default]."
550 pars.add_argument("-g",
556 # Show Desktop (only in GUI mode). Default: True
557 help_str = "1 to activate GUI desktop [default], "
558 help_str += "0 to not activate GUI desktop (Session_Server starts, but GUI is not shown). "
559 help_str += "Ignored in the terminal mode."
560 pars.add_argument("-d",
563 action=StoreBooleanAction,
566 help_str = "Do not activate GUI desktop (Session_Server starts, but GUI is not shown). "
567 help_str += "The same as --show-desktop=0."
568 pars.add_argument("-o",
570 action="store_false",
574 # Use logger or log-file. Default: nothing.
575 help_str = "Redirect messages to the CORBA collector."
576 pars.add_argument("-l",
578 action="store_const", const="CORBA",
581 help_str = "Redirect messages to the <log-file>"
582 pars.add_argument("-f",
584 metavar="<log-file>",
588 # Use gui-log-file for specific user actions in GUI. Default: nothing.
589 help_str = "Log specific user actions in GUI to <gui_log_file>"
590 pars.add_argument("--gui-log-file",
591 metavar="<gui_log_file>",
595 # Configuration XML file. Default: see defaultUserFile() function
596 help_str = "Parse application settings from the <file> "
597 help_str += "instead of default %s" % defaultUserFile()
598 pars.add_argument("-r",
604 # Use own xterm for each server. Default: False.
605 help_str = "Launch each SALOME server in own xterm console"
606 pars.add_argument("-x",
612 # Modules. Default: Like in configuration files.
613 help_str = "SALOME modules list (where <module1>, <module2> are the names "
614 help_str += "of SALOME modules which should be available in the SALOME session)"
615 pars.add_argument("-m",
617 metavar="<module1,module2,...>",
622 # Embedded servers. Default: Like in configuration files.
623 help_str = "CORBA servers to be launched in the Session embedded mode. "
624 help_str += "Valid values for <serverN>: %s " % ", ".join( embedded_choices )
625 help_str += "[by default the value from the configuration files is used]"
626 pars.add_argument("-e",
628 metavar="<server1,server2,...>",
629 action=CheckEmbeddedAction,
633 # Standalone servers. Default: Like in configuration files.
634 help_str = "CORBA servers to be launched in the standalone mode (as separate processes). "
635 help_str += "Valid values for <serverN>: %s " % ", ".join( standalone_choices )
636 help_str += "[by default the value from the configuration files is used]"
637 pars.add_argument("-s",
639 metavar="<server1,server2,...>",
640 action=CheckStandaloneAction,
644 # Kill with port. Default: False.
645 help_str = "Kill SALOME with the current port"
646 pars.add_argument("-p",
652 # Kill all. Default: False.
653 help_str = "Kill all running SALOME sessions"
654 pars.add_argument("-k",
660 # Additional python interpreters. Default: 0.
661 help_str = "The number of additional external python interpreters to run. "
662 help_str += "Each additional python interpreter is run in separate "
663 help_str += "xterm session with properly set SALOME environment"
664 pars.add_argument("-i",
671 # Splash. Default: True.
672 help_str = "1 to display splash screen [default], "
673 help_str += "0 to disable splash screen. "
674 help_str += "This option is ignored in the terminal mode. "
675 help_str += "It is also ignored if --show-desktop=0 option is used."
676 pars.add_argument("-z",
679 action=StoreBooleanAction,
683 # Catch exceptions. Default: True.
684 help_str = "1 (yes,true,on,ok) to enable centralized exception handling [default], "
685 help_str += "0 (no,false,off,cancel) to disable centralized exception handling."
686 pars.add_argument("-c",
687 "--catch-exceptions",
689 action=StoreBooleanAction,
690 dest="catch_exceptions",
693 # Print free port and exit
694 help_str = "Print free port and exit"
695 pars.add_argument("--print-port",
700 # launch only omniNames and Launcher server
701 help_str = "launch only omniNames and Launcher server"
702 pars.add_argument("--launcher_only",
704 dest="launcher_only",
707 # machine and port where is the Launcher
708 help_str = "machine and port where is the Launcher. Usage: "
709 help_str += "--launcher=machine:port"
710 pars.add_argument("--launcher",
711 metavar="<=machine:port>",
716 # Do not relink ${HOME}/.omniORB_last.cfg
717 help_str = "Do not save current configuration ${HOME}/.omniORB_last.cfg"
718 pars.add_argument("--nosave-config",
719 action="store_false",
723 # Launch with interactive python console. Default: False.
724 help_str = "Launch with interactive python console."
725 pars.add_argument("--pinter",
730 # Print Naming service port into a user file. Default: False.
731 help_str = "Print Naming Service Port into a user file."
732 pars.add_argument("--ns-port-log",
733 metavar="<ns_port_log_file>",
734 dest="ns_port_log_file",
737 # Write/read test script file with help of TestRecorder. Default: False.
738 help_str = "Write/read test script file with help of TestRecorder."
739 pars.add_argument("--test",
740 metavar="<test_script_file>",
741 dest="test_script_file",
744 # Reproducing test script with help of TestRecorder. Default: False.
745 help_str = "Reproducing test script with help of TestRecorder."
746 pars.add_argument("--play",
747 metavar="<play_script_file>",
748 dest="play_script_file",
752 help_str = "Launch session with gdb"
753 pars.add_argument("--gdb-session",
759 help_str = "Launch session with ddd"
760 pars.add_argument("--ddd-session",
767 help_str = "Launch session with valgrind $VALGRIND_OPTIONS"
768 pars.add_argument("--valgrind-session",
770 dest="valgrind_session",
773 # shutdown-servers. Default: False.
774 help_str = "1 to shutdown standalone servers when leaving python interpreter, "
775 help_str += "0 to keep the standalone servers as daemon [default]. "
776 help_str += "This option is only useful in batchmode "
777 help_str += "(terminal mode or without showing desktop)."
778 pars.add_argument("-w",
779 "--shutdown-servers",
781 action=StoreBooleanAction,
782 dest="shutdown_servers",
785 # foreground. Default: True.
786 help_str = "0 and runSalome exits after have launched the gui, "
787 help_str += "1 to launch runSalome in foreground mode [default]."
788 pars.add_argument("--foreground",
790 action=StoreBooleanAction,
795 help_str = "Wake up a previously closed session. "
796 help_str += "The session object is found in the naming service pointed by the variable OMNIORB_CONFIG. "
797 help_str += "If this variable is not set, the last configuration is taken. "
798 pars.add_argument("--wake-up-session",
800 dest="wake_up_session", default=False,
804 help_str = "Mode used to launch server processes (daemon or fork)."
805 pars.add_argument("--server-launch-mode",
806 metavar="<server_launch_mode>",
807 choices=["daemon", "fork"],
808 dest="server_launch_mode",
812 help_str = "Preferable port SALOME to be started on. "
813 help_str += "If specified port is not busy, SALOME session will start on it; "
814 help_str += "otherwise, any available port will be searched and used."
815 pars.add_argument("--port",
822 help_str = "Force application language. By default, a language specified in "
823 help_str += "the user's preferences is used."
824 pars.add_argument("-a",
830 help_str = "Level of verbosity"
831 pars.add_argument("-V",
839 help_str = "Use installed salome on-demand extensions."
840 help_str += "0 to run without salome extensions [default], "
841 help_str += "1 to run only installed salome extensions. "
842 pars.add_argument("--on-demand",
845 action=StoreBooleanAction,
850 # Positional arguments (hdf file, python file)
851 pars.add_argument("arguments", nargs=argparse.REMAINDER)
855 # -----------------------------------------------------------------------------
858 # Get the environment
861 # this attribute is obsolete
865 def get_env(appname=salomeappname, cfgname=salomecfgname, exeName=None, keepEnvironment=True):
867 # Collect launch configuration files:
868 # - The environment variable "<appname>Config" (SalomeAppConfig) which can
869 # define a list of directories (separated by ':' or ';' symbol) is checked
870 # - If the environment variable "<appname>Config" is not set, only
871 # ${GUI_ROOT_DIR}/share/salome/resources/gui is inspected
872 # - ${GUI_ROOT_DIR}/share/salome/resources/gui directory is always inspected
873 # so it is not necessary to put it in the "<appname>Config" variable
874 # - The directories which are inspected are checked for files "<appname?salomeappname>.xml"
875 # (SalomeApp.xml) which define SALOME configuration
876 # - These directories are analyzed beginning from the last one in the list,
877 # so the first directory listed in "<appname>Config" environment variable
878 # has higher priority: it means that if some configuration options
879 # is found in the next analyzed configuration file - it will be replaced
880 # - The last configuration file which is parsed is user configuration file
881 # situated in the home directory (if it exists):
882 # * ~/.config/salome/.<appname>rc[.<version>]" for Linux (e.g. ~/.config/salome/.SalomeApprc.6.4.0)
883 # * ~/<appname>.xml[.<version>] for Windows (e.g. ~/SalomeApp.xml.6.4.0)
884 # - Command line options have the highest priority and replace options
885 # specified in configuration file(s)
888 config_var = appname+'Config'
890 ############################
891 # parse command line options
892 pars = CreateOptionParser(exeName=exeName)
893 cmd_opts = pars.parse_args(sys.argv[1:])
894 ############################
896 # check KERNEL_ROOT_DIR
897 kernel_root_dir = os.environ.get("KERNEL_ROOT_DIR", None)
898 if kernel_root_dir is None and not cmd_opts.on_demand:
900 For each SALOME module, the environment variable <moduleN>_ROOT_DIR must be set.
901 KERNEL_ROOT_DIR is mandatory.
905 # Process --print-port option
906 if cmd_opts.print_port:
907 from searchFreePort import searchFreePort
909 print("port:%s"%(os.environ['NSPORT']))
913 PortManager.releasePort(os.environ['NSPORT'])
920 # set resources variable SalomeAppConfig if it is not set yet
922 if os.getenv(config_var):
923 if sys.platform == 'win32':
924 dirs += re.split(os.pathsep, os.getenv(config_var))
926 dirs += re.split('[;|:]', os.getenv(config_var))
928 if not keepEnvironment and not cmd_opts.on_demand:
929 if os.getenv("GUI_ROOT_DIR") and os.path.isdir(os.getenv("GUI_ROOT_DIR")):
930 gui_resources_dir = os.path.join(os.getenv("GUI_ROOT_DIR"),'share','salome','resources','gui')
931 if os.path.isdir(gui_resources_dir):
932 dirs.append(gui_resources_dir)
935 kernel_resources_dir = os.path.join(os.getenv("KERNEL_ROOT_DIR"),'bin','salome','appliskel')
936 if os.getenv("KERNEL_ROOT_DIR") and os.path.isdir( kernel_resources_dir ):
937 dirs.append(kernel_resources_dir)
939 os.environ[config_var] = os.pathsep.join(dirs)
941 dirs.reverse() # reverse order, like in "path" variable - FILO-style processing
944 dirs.remove('') # to remove empty dirs if the variable terminate by ":" or if there are "::" inside
948 _opts = {} # associative array of options to be filled
950 # parse SalomeApp.xml files in directories specified by SalomeAppConfig env variable
951 for directory in dirs:
952 filename = os.path.join(directory, appname + '.xml')
953 if not os.path.exists(filename):
954 if verbose(): print("Configure parser: Warning : can not find configuration file %s" % filename)
957 p = xml_parser(filename, _opts, [])
960 if verbose(): print("Configure parser: Error : can not read configuration file %s" % filename)
963 # parse user configuration file
964 # It can be set via --resources=<file> command line option
965 # or is given from default location (see defaultUserFile() function)
966 # If user file for the current version is not found the nearest to it is used
967 user_config = cmd_opts.resources
969 user_config = userFile(appname, cfgname)
970 if verbose(): print("Configure parser: user configuration file is", user_config)
971 if not user_config or not os.path.exists(user_config):
972 if verbose(): print("Configure parser: Warning : can not find user configuration file")
975 p = xml_parser(user_config, _opts, [])
978 if verbose(): print('Configure parser: Error : can not read user configuration file')
983 args['user_config'] = user_config
984 # print("User Configuration file: ", args['user_config'])
986 # set default values for options which are NOT set in config files
987 for aKey in listKeys:
991 for aKey in boolKeys:
996 afile = args[file_nam]
997 args[file_nam] = [afile]
999 args[appname_nam] = appname
1001 # get the port number
1002 my_port = getPortNumber()
1004 args[port_nam] = my_port
1006 ####################################################
1007 # apply command-line options to the arguments
1008 # each option given in command line overrides the option from xml config file
1010 # Options: gui, desktop, log_file, resources,
1011 # xterm, modules, embedded, standalone,
1012 # portkill, killall, interp, splash,
1013 # catch_exceptions, pinter
1015 # GUI/Terminal, Desktop, Splash, STUDY_HDF
1016 args["session_gui"] = False
1017 args[batch_nam] = False
1018 args["study_hdf"] = None
1019 args["gui_log_file"] = None
1020 if cmd_opts.gui is not None:
1021 args[gui_nam] = cmd_opts.gui
1022 if cmd_opts.batch is not None:
1023 args[batch_nam] = True
1025 if ( not os.getenv("GUI_ROOT_DIR") or not os.path.isdir(os.getenv("GUI_ROOT_DIR")) ) and not cmd_opts.on_demand:
1026 args[gui_nam] = False
1029 args["session_gui"] = True
1030 if cmd_opts.desktop is not None:
1031 args["session_gui"] = cmd_opts.desktop
1032 args[splash_nam] = cmd_opts.desktop
1033 if args["session_gui"]:
1034 if cmd_opts.splash is not None:
1035 args[splash_nam] = cmd_opts.splash
1037 args["session_gui"] = False
1038 args[splash_nam] = False
1041 if cmd_opts.log_file is not None:
1042 if cmd_opts.log_file == 'CORBA':
1043 args[logger_nam] = True
1045 args[file_nam] = [cmd_opts.log_file]
1048 if os.environ.get("GUI_LOG_FILE") is not None:
1049 args["gui_log_file"] = os.environ["GUI_LOG_FILE"]
1051 if cmd_opts.gui_log_file is not None:
1052 args["gui_log_file"] = cmd_opts.gui_log_file
1054 # Naming Service port log file
1055 if cmd_opts.ns_port_log_file is not None:
1056 args["ns_port_log_file"] = cmd_opts.ns_port_log_file
1059 for arg in cmd_opts.arguments:
1060 file_extension = os.path.splitext(arg)[-1]
1061 if file_extension == ".hdf" and not args["study_hdf"]:
1062 args["study_hdf"] = arg
1065 from salomeContextUtils import getScriptsAndArgs, ScriptAndArgs
1066 args[script_nam] = getScriptsAndArgs(cmd_opts.arguments)
1067 if args[gui_nam] and args["session_gui"]:
1069 for sa_obj in args[script_nam]: # args[script_nam] is a list of ScriptAndArgs objects
1070 script = re.sub(r'^python. *\s+', r'', sa_obj.script)
1071 new_args.append(ScriptAndArgs(script=script, args=sa_obj.args, out=sa_obj.out))
1073 args[script_nam] = new_args
1075 args[verbosity_nam] = cmd_opts.verbosity
1076 args[on_demand_nam] = cmd_opts.on_demand
1079 if cmd_opts.xterm is not None:
1080 args[xterm_nam] = cmd_opts.xterm
1083 if cmd_opts.modules is not None:
1084 args[modules_nam] = []
1085 listlist = cmd_opts.modules
1086 for listi in listlist:
1087 args[modules_nam] += re.split( "[:;,]", listi)
1089 # if --modules (-m) command line option is not given
1090 # try SALOME_MODULES environment variable
1091 if os.getenv( "SALOME_MODULES" ):
1092 args[modules_nam] = re.split( "[:;,]", os.getenv( "SALOME_MODULES" ) )
1096 if cmd_opts.embedded is not None:
1097 args[embedded_nam] = [a for a in re.split( "[:;,]", cmd_opts.embedded ) if a.strip()]
1100 if cmd_opts.standalone is not None:
1101 args[standalone_nam] = [a for a in re.split( "[:;,]", cmd_opts.standalone ) if a.strip()]
1103 # Normalize the '--standalone' and '--embedded' parameters
1104 standalone, embedded = process_containers_params( args.get( standalone_nam ),
1105 args.get( embedded_nam ) )
1106 if standalone is not None:
1107 args[ standalone_nam ] = standalone
1108 if embedded is not None:
1109 args[ embedded_nam ] = embedded
1112 if cmd_opts.portkill is not None: args[portkill_nam] = cmd_opts.portkill
1113 if cmd_opts.killall is not None: args[killall_nam] = cmd_opts.killall
1116 if cmd_opts.interp is not None:
1117 args[interp_nam] = cmd_opts.interp
1120 if cmd_opts.catch_exceptions is not None:
1121 args[except_nam] = not cmd_opts.catch_exceptions
1123 # Relink config file
1124 if cmd_opts.save_config is not None:
1125 args['save_config'] = cmd_opts.save_config
1127 # Interactive python console
1128 if cmd_opts.pinter is not None:
1129 args[pinter_nam] = cmd_opts.pinter
1131 # Gdb session in xterm
1132 if cmd_opts.gdb_session is not None:
1133 args[gdb_session_nam] = cmd_opts.gdb_session
1135 # Ddd session in xterm
1136 if cmd_opts.ddd_session is not None:
1137 args[ddd_session_nam] = cmd_opts.ddd_session
1140 if cmd_opts.valgrind_session is not None:
1141 args[valgrind_session_nam] = cmd_opts.valgrind_session
1144 if cmd_opts.shutdown_servers is None:
1145 args[shutdown_servers_nam] = 0
1147 args[shutdown_servers_nam] = cmd_opts.shutdown_servers
1151 if cmd_opts.launcher_only is not None:
1152 args[launcher_only_nam] = cmd_opts.launcher_only
1154 # machine and port where is the Launcher
1155 if cmd_opts.launcher is not None:
1156 args[launcher_nam] = cmd_opts.launcher
1159 if cmd_opts.foreground is None:
1160 args[foreground_nam] = 1
1162 args[foreground_nam] = cmd_opts.foreground
1166 if cmd_opts.wake_up_session is not None:
1167 args[wake_up_session_nam] = cmd_opts.wake_up_session
1169 # disable signals handling
1170 if args[except_nam] == 1:
1171 os.environ["NOT_INTERCEPT_SIGNALS"] = "1"
1174 # now modify SalomeAppConfig environment variable
1175 # to take into account the SALOME modules
1176 if not args[on_demand_nam]:
1177 if os.sys.platform == 'win32':
1178 dirs = re.split('[;]', os.environ[config_var] )
1180 dirs = re.split('[;|:]', os.environ[config_var] )
1181 for module in args[modules_nam]:
1182 if module not in ["KERNEL", "GUI", ""] and os.getenv("{0}_ROOT_DIR".format(module)):
1183 d1 = os.path.join(os.getenv("{0}_ROOT_DIR".format(module)),"share","salome","resources",module.lower())
1184 d2 = os.path.join(os.getenv("{0}_ROOT_DIR".format(module)),"share","salome","resources")
1185 #if os.path.exists( "%s/%s.xml"%(d1, appname) ):
1186 if os.path.exists( os.path.join(d1,"{0}.xml".format(salomeappname)) ):
1188 #elif os.path.exists( "%s/%s.xml"%(d2, appname) ):
1189 elif os.path.exists( os.path.join(d2,"{0}.xml".format(salomeappname)) ):
1192 # print("* '"+m+"' should be deleted from ",args[modules_nam])
1196 if cmd_opts.test_script_file is not None:
1198 filename = cmd_opts.test_script_file
1199 args[test_nam] += re.split( "[:;,]", filename )
1202 if cmd_opts.play_script_file is not None:
1204 filename = cmd_opts.play_script_file
1205 args[play_nam] += re.split( "[:;,]", filename )
1207 # Server launch command
1208 if cmd_opts.server_launch_mode is not None:
1209 args["server_launch_mode"] = cmd_opts.server_launch_mode
1211 # Server launch command
1212 if cmd_opts.use_port is not None:
1214 max_port = min_port + 100
1215 if cmd_opts.use_port not in range(min_port, max_port+1):
1216 print("Error: port number should be in range [%d, %d])" % (min_port, max_port))
1218 args[useport_nam] = cmd_opts.use_port
1220 if cmd_opts.language is not None:
1221 langs = args["language_languages"] if "language_languages" in args else []
1222 if cmd_opts.language not in langs:
1223 print("Error: unsupported language: %s" % cmd_opts.language)
1225 args[lang_nam] = cmd_opts.language
1228 if not keepEnvironment:
1229 os.environ[config_var] = os.pathsep.join(dirs)
1231 # print("Args: ", args)