]> SALOME platform Git repositories - modules/kernel.git/blob - bin/launchConfigureParser.py
Salome HOME
Fix possible problems with custom SALOME modules (resources folder does not include...
[modules/kernel.git] / bin / launchConfigureParser.py
1 # Copyright (C) 2005  OPEN CASCADE, CEA, EDF R&D, LEG
2 #           PRINCIPIA R&D, EADS CCR, Lip6, BV, CEDRAT
3 # This library is free software; you can redistribute it and/or
4 # modify it under the terms of the GNU Lesser General Public
5 # License as published by the Free Software Foundation; either
6 # version 2.1 of the License.
7 #
8 # This library is distributed in the hope that it will be useful
9 # but WITHOUT ANY WARRANTY; without even the implied warranty of
10 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the GNU
11 # Lesser General Public License for more details.
12 #
13 # You should have received a copy of the GNU Lesser General Public
14 # License along with this library; if not, write to the Free Software
15 # Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA  02111-1307 USA
16 #
17 # See http://www.salome-platform.org/ or email : webmaster.salome@opencascade.com
18 #
19 import os, glob, string, sys, re
20 import xml.sax
21
22 # names of tags in XML configuration file
23 doc_tag = "document"
24 sec_tag = "section"
25 par_tag = "parameter"
26
27 # names of attributes in XML configuration file
28 nam_att = "name"
29 val_att = "value"
30
31 # certain values in XML configuration file ("launch" section)
32 lanch_nam      = "launch"
33 gui_nam        = "gui"
34 splash_nam     = "splash"
35 logger_nam     = "logger"
36 xterm_nam      = "xterm"
37 file_nam       = "file"
38 portkill_nam   = "portkill"
39 killall_nam    = "killall"
40 modules_nam    = "modules"
41 embedded_nam   = "embedded"
42 standalone_nam = "standalone"
43 containers_nam = "containers"
44 key_nam        = "key"
45 interp_nam     = "interp"
46 except_nam     = "noexcepthandler"
47
48 # values in XML configuration file giving specific module parameters (<module_name> section)
49 # which are stored in opts with key <module_name>_<parameter> (eg SMESH_plugins)
50 plugins_nam    = "plugins"
51
52 # values passed as arguments, NOT read from XML config file, but set from within this script
53 appname_nam    = "appname"
54 port_nam       = "port"
55 appname        = "SalomeApp"
56
57 # values of boolean type (must be '0' or '1').
58 # xml_parser.boolValue() is used for correct setting
59 boolKeys = ( gui_nam, splash_nam, logger_nam, file_nam, xterm_nam, portkill_nam, killall_nam, interp_nam, except_nam )
60
61 # values of list type
62 listKeys = ( containers_nam, embedded_nam, key_nam, modules_nam, standalone_nam, plugins_nam )
63
64 # return application version (uses GUI_ROOT_DIR (or KERNEL_ROOT_DIR in batch mode) +/bin/salome/VERSION)
65 def version():
66     root_dir = os.environ.get( 'KERNEL_ROOT_DIR', '' )     # KERNEL_ROOT_DIR or "" if not found
67     root_dir = os.environ.get( 'GUI_ROOT_DIR', root_dir )  # GUI_ROOT_DIR or KERNEL_ROOT_DIR or "" if both not found
68     filename = root_dir+'/bin/salome/VERSION'
69     str = open( filename, "r" ).readline() # str = "THIS IS SALOME - SALOMEGUI VERSION: 3.0.0"
70     match = re.search( r':\s+([a-zA-Z0-9.]+)\s*$', str )
71     if match :
72         return match.group( 1 )
73     return ''
74
75 # calculate and return configuration file id in order to unically identify it
76 # for example: for 3.1.0a1 the id is 301000101
77 def version_id( fname ):
78     vers = fname.split(".")
79     major   = int(vers[0])
80     minor   = int(vers[1])
81     mr = re.search(r'^([0-9]+)([A-Za-z]?)([0-9]*)',vers[2])
82     release = dev = 0
83     if mr:
84         release = int(mr.group(1))
85         dev1 = dev2 = 0
86         if len(mr.group(2)): dev1 = ord(mr.group(2))
87         if len(mr.group(3)): dev2 = int(mr.group(3))
88         dev = dev1 * 100 + dev2
89     else:
90         return None
91     ver = major
92     ver = ver * 100 + minor
93     ver = ver * 100 + release
94     ver = ver * 10000 + dev
95     return ver
96
97 # get user configuration file name
98 def userFile():
99     v = version()
100     if not v:
101         return ""        # not unknown version
102     filename = "%s/.%src.%s" % (os.environ['HOME'], appname, v)
103     if os.path.exists(filename):
104         return filename  # user preferences file for the current version exists
105     # initial id
106     id0 = version_id( v )
107     # get all existing user preferences files
108     files = glob.glob( os.environ['HOME'] + "/." + appname + "rc.*" )
109     f2v = {}
110     for file in files:
111         match = re.search( r'\.%src\.([a-zA-Z0-9.]+)$'%appname, file )
112         if match: f2v[file] = match.group(1)
113     last_file = ""
114     last_version = 0
115     for file in f2v:
116         ver = version_id( f2v[file] )
117         if ver and abs(last_version-id0) > abs(ver-id0):
118             last_version = ver
119             last_file = file
120     return last_file
121
122 # -----------------------------------------------------------------------------
123
124 ### xml reader for launch configuration file usage
125
126 section_to_skip = ""
127
128 class xml_parser:
129     def __init__(self, fileName, _opts ):
130         print "Configure parser: processing %s ..." % fileName
131         self.space = []
132         self.opts = _opts
133         self.section = section_to_skip
134         parser = xml.sax.make_parser()
135         parser.setContentHandler(self)
136         parser.parse(fileName)
137         pass
138
139     def boolValue( self, str ):
140         if str in ("yes", "y", "1"):
141             return 1
142         elif str in ("no", "n", "0"):
143             return 0
144         else:
145             return str
146         pass
147
148     def startElement(self, name, attrs):
149         self.space.append(name)
150         self.current = None
151
152         # if we are analyzing "section" element and its "name" attribute is
153         # either "launch" or module name -- set section_name
154         if self.space == [doc_tag, sec_tag] and nam_att in attrs.getNames():
155             section_name = attrs.getValue( nam_att )
156             if section_name == lanch_nam:
157                 self.section = section_name # launch section
158             elif self.opts.has_key( modules_nam ) and \
159                  section_name in self.opts[ modules_nam ]:
160                 self.section = section_name # <module> section
161             else:
162                 self.section = section_to_skip # any other section
163             pass
164
165         # if we are analyzing "parameter" elements - children of either
166         # "section launch" or "section "<module>"" element, then store them
167         # in self.opts assiciative array (key = [<module>_ + ] value of "name" attribute)
168         elif self.section != section_to_skip           and \
169              self.space == [doc_tag, sec_tag, par_tag] and \
170              nam_att in attrs.getNames()               and \
171              val_att in attrs.getNames():
172             nam = attrs.getValue( nam_att )
173             val = attrs.getValue( val_att )
174             if self.section == lanch_nam: # key for launch section
175                 key = nam
176             else:                         # key for <module> section
177                 key = self.section + "_" + nam
178             if nam in boolKeys:
179                 self.opts[key] = self.boolValue( val )  # assign boolean value: 0 or 1
180             elif nam in listKeys:
181                 self.opts[key] = val.split( ',' )       # assign list value: []
182             else:
183                 self.opts[key] = val;
184             pass
185         pass
186
187     def endElement(self, name):
188         p = self.space.pop()
189         self.current = None
190         if self.section != section_to_skip and name == sec_tag:
191             self.section = section_to_skip
192         pass
193
194     def characters(self, content):
195         pass
196
197     def processingInstruction(self, target, data):
198         pass
199
200     def setDocumentLocator(self, locator):
201         pass
202
203     def startDocument(self):
204         self.read = None
205         pass
206
207     def endDocument(self):
208         self.read = None
209         pass
210
211 # -----------------------------------------------------------------------------
212
213 ### searching for launch configuration files
214 # the rule:
215 # - environment variable {'appname'+'Config'} (SalomeAppConfig) contains list of directories (';' as devider)
216 # - these directories contain 'appname'+'.xml' (SalomeApp.xml) configuration files
217 # - these files are analyzed beginning with the last one (last directory in the list)
218 # - if a key is found in next analyzed cofiguration file - it will be replaced
219 # - the last configuration file to be analyzed - ~/.'appname'+'rc' (~/SalomeApprc) (if it exists)
220 # - but anyway, if user specifies a certain option in a command line - it will replace the values
221 # - specified in configuration file(s)
222 # - once again the order of settings (next setting replaces the previous ones):
223 # -     SalomeApp.xml files in directories specified by SalomeAppConfig env variable
224 # -     .SalomeApprc file in user's catalogue
225 # -     command line
226
227 config_var = appname+'Config'
228 # set resources variables if not yet set
229 dirs = []
230 if os.getenv(config_var):
231     dirs += re.split('[;|:]', os.getenv(config_var))
232 if os.getenv("GUI_ROOT_DIR"):
233     dirs += [os.getenv("GUI_ROOT_DIR") + "/share/salome/resources/gui"]
234 os.environ[config_var] = ":".join(dirs)
235
236 dirs.reverse() # reverse order, like in "path" variable - FILO-style processing
237
238 _opts = {} # assiciative array of options to be filled
239
240 # SalomeApp.xml files in directories specified by SalomeAppConfig env variable
241 for dir in dirs:
242     filename = dir+'/'+appname+'.xml'
243     if not os.path.exists(filename):
244         print "Configure parser: Warning : could not find configuration file %s" % filename
245     else:
246         try:
247             p = xml_parser(filename, _opts)
248             _opts = p.opts
249         except:
250             print "Configure parser: Error : can not read configuration file %s" % filename
251         pass
252
253 # SalomeApprc file in user's catalogue
254 filename = userFile()
255 if filename and not os.path.exists(filename):
256     print "Configure parser: Warning : could not find user configuration file"
257 else:
258     try:
259         p = xml_parser(filename, _opts)
260         _opts = p.opts
261     except:
262         print 'Configure parser: Error : can not read user configuration file'
263
264 args = _opts
265
266 # --- setting default values of keys if they were NOT set in config files ---
267 for aKey in listKeys:
268     if not args.has_key( aKey ):
269         args[aKey]=[]
270
271 for aKey in boolKeys:
272     if not args.has_key( aKey ):
273         args[aKey]=0
274
275 if args[file_nam]:
276     afile=args[file_nam]
277     args[file_nam]=[afile]
278
279 args[appname_nam] = appname
280
281 ### searching for my port
282
283 my_port = 2809
284 try:
285   file = open(os.environ["OMNIORB_CONFIG"], "r")
286   s = file.read()
287   while len(s):
288     l = string.split(s, ":")
289     if string.split(l[0], " ")[0] == "ORBInitRef" or string.split(l[0], " ")[0] == "InitRef" :
290       my_port = int(l[len(l)-1])
291       pass
292     s = file.read()
293     pass
294 except:
295   pass
296
297 args[port_nam] = my_port
298
299 # -----------------------------------------------------------------------------
300
301 ### command line options reader
302
303 def options_parser(line):
304   source = line
305   list = []
306   for delimiter in [" ", ",", "="]:
307     for o in source:
308       list += string.split(o, delimiter)
309       pass
310     source = list
311     list = []
312     pass
313
314   result = {}
315   i = 0
316   while i < len(source):
317     if source[i][0] != '-':
318       key = None
319     elif source[i][1] == '-':
320       key = source[i][2]
321     else:
322       key = source[i][1]
323       pass
324
325     result[key] = []
326     if key:
327       i += 1
328       pass
329     while i < len(source) and source[i][0] != '-':
330       result[key].append(source[i])
331       i += 1
332       pass
333     pass
334   return result
335
336 # -----------------------------------------------------------------------------
337
338 ### read command-line options : each arg given in command line supersedes arg from xml config file
339 cmd_opts = {}
340 try:
341     cmd_opts = options_parser(sys.argv[1:])
342     kernel_root_dir=os.environ["KERNEL_ROOT_DIR"]
343 except:
344     cmd_opts["h"] = 1
345     pass
346
347 ### check all options are right
348
349 opterror=0
350 for opt in cmd_opts:
351     if not opt in ("h","g","l","f","x","m","e","s","c","p","k","t","i","r"):
352         print "Configure parser: Error : command line error : -%s" % opt
353         opterror=1
354
355 if opterror == 1:
356     cmd_opts["h"] = 1
357
358 if cmd_opts.has_key("h"):
359     print """USAGE: runSalome.py [options]
360     [command line options] :
361     --help or -h                  : print this help
362     --gui or -g                   : launching with GUI
363     --terminal -t                 : launching without gui (to deny --gui)
364     --logger or -l                : redirect messages in a CORBA collector
365     --file=filename or -f=filename: redirect messages in a log file
366     --xterm or -x                 : execute servers in xterm console (messages appear in xterm windows)
367     --modules=module1,module2,... : salome module list (modulen is the name of Salome module to load)
368     or -m=module1,module2,...
369     --embedded=registry,study,moduleCatalog,cppContainer
370     or -e=registry,study,moduleCatalog,cppContainer
371                                   : embedded CORBA servers (default: registry,study,moduleCatalog,cppContainer)
372                                   : (logger,pyContainer,supervContainer can't be embedded
373     --standalone=registry,study,moduleCatalog,cppContainer,pyContainer,supervContainer
374     or -s=registry,study,moduleCatalog,cppContainer,pyContainer,supervContainer
375                                   : standalone CORBA servers (default: pyContainer,supervContainer)
376     --containers=cpp,python,superv: (obsolete) launching of containers cpp, python and supervision
377     or -c=cpp,python,superv       : = get default from -e and -s
378     --portkill or -p              : kill the salome with current port
379     --killall or -k               : kill all salome sessions
380     --interp=n or -i=n            : number of additional xterm to open, with session environment
381     -z                            : display splash screen
382     -r                            : disable centralized exception handling mechanism
383
384     For each Salome module, the environment variable <modulen>_ROOT_DIR must be set.
385     The module name (<modulen>) must be uppercase.
386     KERNEL_ROOT_DIR is mandatory.
387     """
388     sys.exit(1)
389     pass
390
391 ### apply command-line options to the arguments
392 for opt in cmd_opts:
393     if opt == 'g':
394         args[gui_nam] = 1
395     elif opt == 'z':
396         args[splash_nam] = 1
397     elif opt == 'r':
398         args[except_nam] = 1
399     elif opt == 'l':
400         args[logger_nam] = 1
401     elif opt == 'f':
402         args[file_nam] = cmd_opts['f']
403     elif opt == 'x':
404         args[xterm_nam] = 1
405     elif opt == 'i':
406         args[interp_nam] = cmd_opts['i']
407     elif opt == 'm':
408         args[modules_nam] = cmd_opts['m']
409     elif opt == 'e':
410         args[embedded_nam] = cmd_opts['e']
411     elif opt == 's':
412         args[standalone_nam] = cmd_opts['s']
413     elif opt == 'c':
414         args[containers_nam] = cmd_opts['c']
415     elif opt == 'p':
416         args[portkill_nam] = 1
417     elif opt == 'k':
418         args[killall_nam] = 1
419         pass
420     pass
421
422 # if --modules (-m) command line option is not given
423 # try SALOME_MODULES environment variable
424 if not cmd_opts.has_key( "m" ) and os.getenv( "SALOME_MODULES" ):
425     args[modules_nam] = re.split( "[:;,]", os.getenv( "SALOME_MODULES" ) )
426     pass
427
428 # 'terminal' must be processed in the end: to deny any 'gui' options
429 if 't' in cmd_opts:
430     args[gui_nam] = 0
431     pass
432
433 # now modify SalomeAppConfig environment variable
434 dirs = re.split('[;|:]', os.environ[config_var] )
435
436 for m in args[modules_nam]:
437     if m not in ["KERNEL", "GUI", ""] and os.getenv("%s_ROOT_DIR"%m):
438         d1 = os.getenv("%s_ROOT_DIR"%m) + "/share/salome/resources/" + m.lower()
439         d2 = os.getenv("%s_ROOT_DIR"%m) + "/share/salome/resources"
440         if os.path.exists( "%s/%s.xml"%(d1, appname) ):
441             dirs.append( d1 )
442         elif os.path.exists( "%s/%s.xml"%(d2, appname) ):
443             dirs.append( d2 )
444 os.environ[config_var] = ":".join(dirs)