1 # Copyright (C) 2007-2008 CEA/DEN, EDF R&D, OPEN CASCADE
3 # Copyright (C) 2003-2007 OPEN CASCADE, EADS/CCR, LIP6, CEA/DEN,
4 # CEDRAT, EDF R&D, LEG, PRINCIPIA R&D, BUREAU VERITAS
6 # This library is free software; you can redistribute it and/or
7 # modify it under the terms of the GNU Lesser General Public
8 # License as published by the Free Software Foundation; either
9 # version 2.1 of the License.
11 # This library is distributed in the hope that it will be useful,
12 # but WITHOUT ANY WARRANTY; without even the implied warranty of
13 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
14 # Lesser General Public License for more details.
16 # You should have received a copy of the GNU Lesser General Public
17 # License along with this library; if not, write to the Free Software
18 # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
20 # See http://www.salome-platform.org/ or email : webmaster.salome@opencascade.com
22 import os, glob, string, sys, re
27 # names of tags in XML configuration file
32 # names of attributes in XML configuration file
36 # certain values in XML configuration file ("launch" section)
44 portkill_nam = "portkill"
45 killall_nam = "killall"
46 modules_nam = "modules"
47 embedded_nam = "embedded"
48 standalone_nam = "standalone"
50 terminal_nam = "terminal"
52 except_nam = "noexcepthandler"
53 terminal_nam = "terminal"
58 gdb_session_nam = "gdb_session"
60 # values in XML configuration file giving specific module parameters (<module_name> section)
61 # which are stored in opts with key <module_name>_<parameter> (eg SMESH_plugins)
62 plugins_nam = "plugins"
64 # values passed as arguments, NOT read from XML config file, but set from within this script
65 appname_nam = "appname"
67 salomeappname = "SalomeApp"
68 script_nam = "pyscript"
70 # possible choices for the "embedded" and "standalone" parameters
71 embedded_choices = [ "registry", "study", "moduleCatalog", "cppContainer", "SalomeAppEngine" ]
72 standalone_choices = [ "registry", "study", "moduleCatalog", "cppContainer", "pyContainer", "supervContainer"]
74 # values of boolean type (must be '0' or '1').
75 # xml_parser.boolValue() is used for correct setting
76 boolKeys = ( gui_nam, splash_nam, logger_nam, file_nam, xterm_nam, portkill_nam, killall_nam, except_nam, pinter_nam )
77 intKeys = ( interp_nam, )
80 listKeys = ( embedded_nam, key_nam, modules_nam, standalone_nam, plugins_nam )
83 # Get the application version
84 # Uses GUI_ROOT_DIR (or KERNEL_ROOT_DIR in batch mode) +/bin/salome/VERSION file
89 root_dir = os.environ.get( 'KERNEL_ROOT_DIR', '' ) # KERNEL_ROOT_DIR or "" if not found
90 if root_dir and os.path.exists( root_dir + "/bin/salome/VERSION" ):
91 filename = root_dir + "/bin/salome/VERSION"
92 root_dir = os.environ.get( 'GUI_ROOT_DIR', '' ) # GUI_ROOT_DIR "" if not found
93 if root_dir and os.path.exists( root_dir + "/bin/salome/VERSION" ):
94 filename = root_dir + "/bin/salome/VERSION"
96 str = open( filename, "r" ).readline() # str = "THIS IS SALOME - SALOMEGUI VERSION: 3.0.0"
97 match = re.search( r':\s+([a-zA-Z0-9.]+)\s*$', str )
99 return match.group( 1 )
105 # Calculate and return configuration file unique ID
106 # For example: for SALOME version 3.1.0a1 the id is 300999701
108 def version_id( fname ):
109 vers = fname.split(".")
112 mr = re.search(r'^([0-9]+)([A-Za-z]?)([0-9]*)',vers[2])
115 release = int(mr.group(1))
117 if len(mr.group(2)): dev1 = ord(mr.group(2))
118 if len(mr.group(3)): dev2 = int(mr.group(3))
119 dev = dev1 * 100 + dev2
123 ver = ver * 100 + minor
124 ver = ver * 100 + release
126 if dev > 0: ver = ver - 10000 + dev
130 # Get user configuration file name
132 def userFile(appname):
135 return "" # not unknown version
136 if sys.platform == "win32":
137 filename = "%s\%s.xml.%s" % (os.environ['HOME'], appname, v)
139 filename = "%s/.%src.%s" % (os.environ['HOME'], appname, v)
140 if os.path.exists(filename):
141 return filename # user preferences file for the current version exists
143 id0 = version_id( v )
144 # get all existing user preferences files
145 if sys.platform == "win32":
146 files = glob.glob( os.environ['HOME'] + "\." + appname + ".xml.*" )
148 files = glob.glob( os.environ['HOME'] + "/." + appname + "rc.*" )
151 match = re.search( r'\.%src\.([a-zA-Z0-9.]+)$'%appname, file )
152 if match: f2v[file] = match.group(1)
156 ver = version_id( f2v[file] )
157 if ver and abs(last_version-id0) > abs(ver-id0):
168 # verbose has already been called
169 if _verbose is not None:
173 from os import getenv
174 _verbose = int(getenv('SALOME_VERBOSE'))
181 def setVerbose(level):
188 def process_containers_params( standalone, embedded ):
189 # 1. filter inappropriate containers names
190 if standalone is not None:
191 standalone = filter( lambda x: x in standalone_choices, standalone )
192 if embedded is not None:
193 embedded = filter( lambda x: x in embedded_choices, embedded )
195 # 2. remove containers appearing in 'standalone' parameter from the 'embedded'
196 # parameter --> i.e. 'standalone' parameter has higher priority
197 if standalone is not None and embedded is not None:
198 embedded = filter( lambda x: x not in standalone, embedded )
200 # 3. return corrected parameters values
201 return standalone, embedded
203 # -----------------------------------------------------------------------------
206 # XML reader for launch configuration file usage
212 def __init__(self, fileName, _opts ):
213 if verbose(): print "Configure parser: processing %s ..." % fileName
216 self.section = section_to_skip
217 parser = xml.sax.make_parser()
218 parser.setContentHandler(self)
219 parser.parse(fileName)
220 standalone, embedded = process_containers_params( self.opts.get( standalone_nam ),
221 self.opts.get( embedded_nam ) )
222 if standalone is not None:
223 self.opts[ standalone_nam ] = standalone
224 if embedded is not None:
225 self.opts[ embedded_nam ] = embedded
228 def boolValue( self, str ):
230 if isinstance(strloc, types.UnicodeType):
231 strloc = strloc.encode().strip()
232 if isinstance(strloc, types.StringType):
233 strlow = strloc.lower()
234 if strlow in ("1", "yes", "y", "on", "true", "ok"):
236 elif strlow in ("0", "no", "n", "off", "false", "cancel"):
241 def intValue( self, str ):
243 if isinstance(strloc, types.UnicodeType):
244 strloc = strloc.encode().strip()
245 if isinstance(strloc, types.StringType):
246 strlow = strloc.lower()
247 if strlow in ("1", "yes", "y", "on", "true", "ok"):
249 elif strlow in ("0", "no", "n", "off", "false", "cancel"):
252 return string.atoi(strloc)
256 def startElement(self, name, attrs):
257 self.space.append(name)
260 # if we are analyzing "section" element and its "name" attribute is
261 # either "launch" or module name -- set section_name
262 if self.space == [doc_tag, sec_tag] and nam_att in attrs.getNames():
263 section_name = attrs.getValue( nam_att )
264 if section_name == lanch_nam:
265 self.section = section_name # launch section
266 elif self.opts.has_key( modules_nam ) and \
267 section_name in self.opts[ modules_nam ]:
268 self.section = section_name # <module> section
270 self.section = section_to_skip # any other section
273 # if we are analyzing "parameter" elements - children of either
274 # "section launch" or "section "<module>"" element, then store them
275 # in self.opts assiciative array (key = [<module>_ + ] value of "name" attribute)
276 elif self.section != section_to_skip and \
277 self.space == [doc_tag, sec_tag, par_tag] and \
278 nam_att in attrs.getNames() and \
279 val_att in attrs.getNames():
280 nam = attrs.getValue( nam_att )
281 val = attrs.getValue( val_att )
282 if self.section == lanch_nam: # key for launch section
284 else: # key for <module> section
285 key = self.section + "_" + nam
287 self.opts[key] = self.boolValue( val ) # assign boolean value: 0 or 1
289 self.opts[key] = self.intValue( val ) # assign integer value
290 elif nam in listKeys:
291 self.opts[key] = filter( lambda a: a.strip(), re.split( "[:;,]", val ) ) # assign list value: []
297 def endElement(self, name):
300 if self.section != section_to_skip and name == sec_tag:
301 self.section = section_to_skip
304 def characters(self, content):
307 def processingInstruction(self, target, data):
310 def setDocumentLocator(self, locator):
313 def startDocument(self):
317 def endDocument(self):
321 # -----------------------------------------------------------------------------
323 booleans = { '1': True , 'yes': True , 'y': True , 'on' : True , 'true' : True , 'ok' : True,
324 '0': False, 'no' : False, 'n': False, 'off': False, 'false': False, 'cancel' : False }
326 boolean_choices = booleans.keys()
328 def check_embedded(option, opt, value, parser):
329 from optparse import OptionValueError
330 assert value is not None
331 if parser.values.embedded:
332 embedded = filter( lambda a: a.strip(), re.split( "[:;,]", parser.values.embedded ) )
335 if parser.values.standalone:
336 standalone = filter( lambda a: a.strip(), re.split( "[:;,]", parser.values.standalone ) )
339 vals = filter( lambda a: a.strip(), re.split( "[:;,]", value ) )
341 if v not in embedded_choices:
342 raise OptionValueError( "option %s: invalid choice: %r (choose from %s)" % ( opt, v, ", ".join( map( repr, embedded_choices ) ) ) )
343 if v not in embedded:
346 del standalone[ standalone.index( v ) ]
348 parser.values.embedded = ",".join( embedded )
349 parser.values.standalone = ",".join( standalone )
352 def check_standalone(option, opt, value, parser):
353 from optparse import OptionValueError
354 assert value is not None
355 if parser.values.embedded:
356 embedded = filter( lambda a: a.strip(), re.split( "[:;,]", parser.values.embedded ) )
359 if parser.values.standalone:
360 standalone = filter( lambda a: a.strip(), re.split( "[:;,]", parser.values.standalone ) )
363 vals = filter( lambda a: a.strip(), re.split( "[:;,]", value ) )
365 if v not in standalone_choices:
366 raise OptionValueError( "option %s: invalid choice: %r (choose from %s)" % ( opt, v, ", ".join( map( repr, standalone_choices ) ) ) )
367 if v not in standalone:
368 standalone.append( v )
370 del embedded[ embedded.index( v ) ]
372 parser.values.embedded = ",".join( embedded )
373 parser.values.standalone = ",".join( standalone )
376 def store_boolean (option, opt, value, parser, *args):
377 if isinstance(value, types.StringType):
379 value_conv = booleans[value.strip().lower()]
380 for attribute in args:
381 setattr(parser.values, attribute, value_conv)
383 raise optparse.OptionValueError(
384 "option %s: invalid boolean value: %s (choose from %s)"
385 % (opt, value, boolean_choices))
387 for attribute in args:
388 setattr(parser.values, attribute, value)
390 def CreateOptionParser (theAdditionalOptions=[]):
391 # GUI/Terminal. Default: GUI
392 help_str = "Launch without GUI (in the terminal mode)."
393 o_t = optparse.Option("-t",
395 action="store_false",
399 help_str = "Launch in Batch Mode. (Without GUI on batch machine)"
400 o_b = optparse.Option("-b",
406 help_str = "Launch in GUI mode [default]."
407 o_g = optparse.Option("-g",
413 # Show Desktop (inly in GUI mode). Default: True
414 help_str = "1 to activate GUI desktop [default], "
415 help_str += "0 to not activate GUI desktop (Session_Server starts, but GUI is not shown). "
416 help_str += "Ignored in the terminal mode."
417 o_d = optparse.Option("-d",
420 #type="choice", choices=boolean_choices,
422 action="callback", callback=store_boolean, callback_args=('desktop',),
425 help_str = "Do not activate GUI desktop (Session_Server starts, but GUI is not shown). "
426 help_str += "The same as --show-desktop=0."
427 o_o = optparse.Option("-o",
429 action="store_false",
433 # Use logger or log-file. Default: nothing.
434 help_str = "Redirect messages to the CORBA collector."
435 #o4 = optparse.Option("-l", "--logger", action="store_true", dest="logger", help=help_str)
436 o_l = optparse.Option("-l",
438 action="store_const", const="CORBA",
441 help_str = "Redirect messages to the <log-file>"
442 o_f = optparse.Option("-f",
444 metavar="<log-file>",
450 # Execute python scripts. Default: None.
451 help_str = "Python script(s) to be imported. Python scripts are imported "
452 help_str += "in the order of their appearance. In GUI mode python scripts "
453 help_str += "are imported in the embedded python interpreter of current study, "
454 help_str += "otherwise in an external python interpreter"
455 o_u = optparse.Option("-u",
457 metavar="<script1,script2,...>",
463 # Configuration XML file. Default: $(HOME)/.SalomeApprc.$(version).
464 help_str = "Parse application settings from the <file> "
465 help_str += "instead of default $(HOME)/.SalomeApprc.$(version)"
466 o_r = optparse.Option("-r",
474 # Use own xterm for each server. Default: False.
475 help_str = "Launch each SALOME server in own xterm console"
476 o_x = optparse.Option("-x",
482 # Modules. Default: Like in configuration files.
483 help_str = "SALOME modules list (where <module1>, <module2> are the names "
484 help_str += "of SALOME modules which should be available in the SALOME session)"
485 o_m = optparse.Option("-m",
487 metavar="<module1,module2,...>",
493 # Embedded servers. Default: Like in configuration files.
494 help_str = "CORBA servers to be launched in the Session embedded mode. "
495 help_str += "Valid values for <serverN>: %s " % ", ".join( embedded_choices )
496 help_str += "[by default the value from the configuration files is used]"
497 o_e = optparse.Option("-e",
499 metavar="<server1,server2,...>",
503 callback=check_embedded,
506 # Standalone servers. Default: Like in configuration files.
507 help_str = "CORBA servers to be launched in the standalone mode (as separate processes). "
508 help_str += "Valid values for <serverN>: %s " % ", ".join( standalone_choices )
509 help_str += "[by default the value from the configuration files is used]"
510 o_s = optparse.Option("-s",
512 metavar="<server1,server2,...>",
516 callback=check_standalone,
519 # Kill with port. Default: False.
520 help_str = "Kill SALOME with the current port"
521 o_p = optparse.Option("-p",
527 # Kill all. Default: False.
528 help_str = "Kill all running SALOME sessions"
529 o_k = optparse.Option("-k",
535 # Additional python interpreters. Default: 0.
536 help_str = "The number of additional external python interpreters to run. "
537 help_str += "Each additional python interpreter is run in separate "
538 help_str += "xterm session with properly set SALOME environment"
539 o_i = optparse.Option("-i",
547 # Splash. Default: True.
548 help_str = "1 to display splash screen [default], "
549 help_str += "0 to disable splash screen. "
550 help_str += "This option is ignored in the terminal mode. "
551 help_str += "It is also ignored if --show-desktop=0 option is used."
552 o_z = optparse.Option("-z",
555 #type="choice", choices=boolean_choices,
557 action="callback", callback=store_boolean, callback_args=('splash',),
561 # Catch exceptions. Default: True.
562 help_str = "1 (yes,true,on,ok) to enable centralized exception handling [default], "
563 help_str += "0 (no,false,off,cancel) to disable centralized exception handling."
564 o_c = optparse.Option("-c",
565 "--catch-exceptions",
567 #type="choice", choices=boolean_choices,
569 action="callback", callback=store_boolean, callback_args=('catch_exceptions',),
570 dest="catch_exceptions",
573 # Print free port and exit
574 help_str = "Print free port and exit"
575 o_a = optparse.Option("--print-port",
577 dest="print_port", default=False,
580 # Do not relink ${HOME}/.omniORB_last.cfg
581 help_str = "Do not save current configuration ${HOME}/.omniORB_last.cfg"
582 o_n = optparse.Option("--nosave-config",
583 action="store_false",
584 dest="save_config", default=True,
587 # Launch with interactive python console. Default: False.
588 help_str = "Launch with interactive python console."
589 o_pi = optparse.Option("--pinter",
594 # Print Naming service port into a user file. Default: False.
595 help_str = "Print Naming Service Port into a user file."
596 o_nspl = optparse.Option("--ns-port-log",
597 metavar="<ns_port_log_file>",
600 dest="ns_port_log_file",
603 # Write/read test script file with help of TestRecorder. Default: False.
604 help_str = "Write/read test script file with help of TestRecorder."
605 o_test = optparse.Option("--test",
606 metavar="<test_script_file>",
609 dest="test_script_file",
612 # Reproducing test script with help of TestRecorder. Default: False.
613 help_str = "Reproducing test script with help of TestRecorder."
614 o_play = optparse.Option("--play",
615 metavar="<play_script_file>",
618 dest="play_script_file",
622 help_str = "Launch session with gdb"
623 o_gdb = optparse.Option("--gdb-session",
625 dest="gdb_session", default=False,
629 opt_list = [o_t,o_g, # GUI/Terminal
632 o_l,o_f, # Use logger or log-file
633 o_u, # Execute python scripts
634 o_r, # Configuration XML file
637 o_e, # Embedded servers
638 o_s, # Standalone servers
639 o_p, # Kill with port
641 o_i, # Additional python interpreters
643 o_c, # Catch exceptions
644 o_a, # Print free port and exit
645 o_n, # --nosave-config
646 o_pi, # Interactive python console
648 o_test, # Write/read test script file with help of TestRecorder
649 o_play, # Reproducing test script with help of TestRecorder
652 #std_options = ["gui", "desktop", "log_file", "py_scripts", "resources",
653 # "xterm", "modules", "embedded", "standalone",
654 # "portkill", "killall", "interp", "splash",
655 # "catch_exceptions", "print_port", "save_config", "ns_port_log_file"]
657 opt_list += theAdditionalOptions
659 a_usage = "%prog [options] [STUDY_FILE]"
660 version_str = "Salome %s" % version()
661 pars = optparse.OptionParser(usage=a_usage, version=version_str, option_list=opt_list)
665 # -----------------------------------------------------------------------------
668 # Get the environment
671 # this attribute is obsolete
675 def get_env(theAdditionalOptions=[], appname="SalomeApp"):
677 # Collect launch configuration files:
678 # - The environment variable "<appname>Config" (SalomeAppConfig) which can
679 # define a list of directories (separated by ':' or ';' symbol) is checked
680 # - If the environment variable "<appname>Config" is not set, only
681 # ${GUI_ROOT_DIR}/share/salome/resources/gui is inspected
682 # - ${GUI_ROOT_DIR}/share/salome/resources/gui directory is always inspected
683 # so it is not necessary to put it in the "<appname>Config" variable
684 # - The directories which are inspected are checked for files "<appname?salomeappname>.xml"
685 # (SalomeApp.xml) which define SALOME configuration
686 # - These directories are analyzed beginning from the last one in the list,
687 # so the first directory listed in "<appname>Config" environment variable
688 # has higher priority: it means that if some configuration options
689 # is found in the next analyzed cofiguration file - it will be replaced
690 # - The last configuration file which is parsed is user configuration file
691 # situated in the home directory: "~/.<appname>rc[.<version>]" (~/SalomeApprc.3.2.0)
693 # - Command line options have the highest priority and replace options
694 # specified in configuration file(s)
698 config_var = appname+'Config'
701 if os.sys.platform == 'win32':
704 # check KERNEL_ROOT_DIR
706 kernel_root_dir=os.environ["KERNEL_ROOT_DIR"]
709 For each SALOME module, the environment variable <moduleN>_ROOT_DIR must be set.
710 KERNEL_ROOT_DIR is mandatory.
715 ############################
716 # parse command line options
717 pars = CreateOptionParser(theAdditionalOptions)
718 (cmd_opts, cmd_args) = pars.parse_args(sys.argv[1:])
719 ############################
721 # Process --print-port option
722 if cmd_opts.print_port:
723 from runSalome import searchFreePort
725 print "port:%s"%(os.environ['NSPORT'])
729 # set resources variable SalomeAppConfig if it is not set yet
731 if os.getenv(config_var):
732 if sys.platform == 'win32':
733 dirs += re.split(';', os.getenv(config_var))
735 dirs += re.split('[;|:]', os.getenv(config_var))
738 if os.getenv("GUI_ROOT_DIR") and os.path.isdir( os.getenv("GUI_ROOT_DIR") + "/share/salome/resources/gui" ):
739 dirs += [os.getenv("GUI_ROOT_DIR") + "/share/salome/resources/gui"]
742 gui_available = False
743 if os.getenv("KERNEL_ROOT_DIR") and os.path.isdir( os.getenv("KERNEL_ROOT_DIR") + "/bin/salome/appliskel" ):
744 dirs += [os.getenv("KERNEL_ROOT_DIR") + "/bin/salome/appliskel"]
746 os.environ[config_var] = separator.join(dirs)
748 dirs.reverse() # reverse order, like in "path" variable - FILO-style processing
751 dirs.remove('') # to remove empty dirs if the variable terminate by ":" or if there are "::" inside
755 _opts = {} # associative array of options to be filled
757 # parse SalomeApp.xml files in directories specified by SalomeAppConfig env variable
759 #filename = dir+'/'+appname+'.xml'
760 filename = dir+'/'+salomeappname+'.xml'
761 if not os.path.exists(filename):
762 print "Configure parser: Warning : could not find configuration file %s" % filename
765 p = xml_parser(filename, _opts)
768 print "Configure parser: Error : can not read configuration file %s" % filename
771 # parse user configuration file
772 # It can be set via --resources=<file> command line option
773 # or is given by default from ${HOME}/.<appname>rc.<version>
774 # If user file for the current version is not found the nearest to it is used
775 user_config = cmd_opts.resources
777 user_config = userFile(appname)
778 if not user_config or not os.path.exists(user_config):
779 print "Configure parser: Warning : could not find user configuration file"
782 p = xml_parser(user_config, _opts)
785 print 'Configure parser: Error : can not read user configuration file'
790 args['user_config'] = user_config
791 #print "User Configuration file: ", args['user_config']
793 # set default values for options which are NOT set in config files
794 for aKey in listKeys:
795 if not args.has_key( aKey ):
798 for aKey in boolKeys:
799 if not args.has_key( aKey ):
804 args[file_nam]=[afile]
806 args[appname_nam] = appname
808 # get the port number
811 file = open(os.environ["OMNIORB_CONFIG"], "r")
814 l = string.split(s, ":")
815 if string.split(l[0], " ")[0] == "ORBInitRef" or string.split(l[0], " ")[0] == "InitRef" :
816 my_port = int(l[len(l)-1])
823 args[port_nam] = my_port
825 ####################################################
826 # apply command-line options to the arguments
827 # each option given in command line overrides the option from xml config file
829 # Options: gui, desktop, log_file, py_scripts, resources,
830 # xterm, modules, embedded, standalone,
831 # portkill, killall, interp, splash,
832 # catch_exceptions, pinter
834 # GUI/Terminal, Desktop, Splash, STUDY_HDF
835 args["session_gui"] = False
836 args[batch_nam] = False
837 args["study_hdf"] = None
838 if cmd_opts.gui is not None:
839 args[gui_nam] = cmd_opts.gui
840 if cmd_opts.batch is not None:
841 args[batch_nam] = True
843 if not gui_available:
844 args[gui_nam] = False
847 args["session_gui"] = True
848 if cmd_opts.desktop is not None:
849 args["session_gui"] = cmd_opts.desktop
850 args[splash_nam] = cmd_opts.desktop
851 if args["session_gui"]:
852 if cmd_opts.splash is not None:
853 args[splash_nam] = cmd_opts.splash
854 if len(cmd_args) > 0:
855 args["study_hdf"] = cmd_args[0]
857 args["session_gui"] = False
858 args[splash_nam] = False
861 if cmd_opts.log_file is not None:
862 if cmd_opts.log_file == 'CORBA':
863 args[logger_nam] = True
865 args[file_nam] = [cmd_opts.log_file]
867 # Naming Service port log file
868 if cmd_opts.ns_port_log_file is not None:
869 args["ns_port_log_file"] = cmd_opts.ns_port_log_file
872 args[script_nam] = []
873 if cmd_opts.py_scripts is not None:
874 listlist = cmd_opts.py_scripts
875 for listi in listlist:
876 args[script_nam] += re.split( "[:;,]", listi)
879 if cmd_opts.xterm is not None: args[xterm_nam] = cmd_opts.xterm
882 if cmd_opts.modules is not None:
883 args[modules_nam] = []
884 listlist = cmd_opts.modules
885 for listi in listlist:
886 args[modules_nam] += re.split( "[:;,]", listi)
888 # if --modules (-m) command line option is not given
889 # try SALOME_MODULES environment variable
890 if os.getenv( "SALOME_MODULES" ):
891 args[modules_nam] = re.split( "[:;,]", os.getenv( "SALOME_MODULES" ) )
895 if cmd_opts.embedded is not None:
896 args[embedded_nam] = filter( lambda a: a.strip(), re.split( "[:;,]", cmd_opts.embedded ) )
899 if cmd_opts.standalone is not None:
900 args[standalone_nam] = filter( lambda a: a.strip(), re.split( "[:;,]", cmd_opts.standalone ) )
902 # Normalize the '--standalone' and '--embedded' parameters
903 standalone, embedded = process_containers_params( args.get( standalone_nam ),
904 args.get( embedded_nam ) )
905 if standalone is not None:
906 args[ standalone_nam ] = standalone
907 if embedded is not None:
908 args[ embedded_nam ] = embedded
911 if cmd_opts.portkill is not None: args[portkill_nam] = cmd_opts.portkill
912 if cmd_opts.killall is not None: args[killall_nam] = cmd_opts.killall
915 if cmd_opts.interp is not None:
916 args[interp_nam] = cmd_opts.interp
919 if cmd_opts.catch_exceptions is not None:
920 args[except_nam] = not cmd_opts.catch_exceptions
923 if cmd_opts.save_config is not None:
924 args['save_config'] = cmd_opts.save_config
926 # Interactive python console
927 if cmd_opts.pinter is not None:
928 args[pinter_nam] = cmd_opts.pinter
930 # Gdb session in xterm
931 if cmd_opts.gdb_session is not None:
932 args[gdb_session_nam] = cmd_opts.gdb_session
934 ####################################################
935 # Add <theAdditionalOptions> values to args
936 for add_opt in theAdditionalOptions:
937 cmd = "args[\"%s\"] = cmd_opts.%s"%(add_opt.dest,add_opt.dest)
939 ####################################################
941 # disable signals handling
942 if args[except_nam] == 1:
943 os.environ["NOT_INTERCEPT_SIGNALS"] = "1"
946 # now modify SalomeAppConfig environment variable
947 # to take into account the SALOME modules
948 if os.sys.platform == 'win32':
949 dirs = re.split('[;]', os.environ[config_var] )
951 dirs = re.split('[;|:]', os.environ[config_var] )
952 for m in args[modules_nam]:
953 if m not in ["KERNEL", "GUI", ""] and os.getenv("%s_ROOT_DIR"%m):
954 d1 = os.getenv("%s_ROOT_DIR"%m) + "/share/salome/resources/" + m.lower()
955 d2 = os.getenv("%s_ROOT_DIR"%m) + "/share/salome/resources"
956 #if os.path.exists( "%s/%s.xml"%(d1, appname) ):
957 if os.path.exists( "%s/%s.xml"%(d1, salomeappname) ):
959 #elif os.path.exists( "%s/%s.xml"%(d2, appname) ):
960 elif os.path.exists( "%s/%s.xml"%(d2, salomeappname) ):
964 if cmd_opts.test_script_file is not None:
966 filename = cmd_opts.test_script_file
967 args[test_nam] += re.split( "[:;,]", filename )
970 if cmd_opts.play_script_file is not None:
972 filename = cmd_opts.play_script_file
973 args[play_nam] += re.split( "[:;,]", filename )
976 os.environ[config_var] = separator.join(dirs)
977 #print "Args: ", args