]> SALOME platform Git repositories - tools/sat.git/blob - salomeTools.py
Salome HOME
Improve hat log
[tools/sat.git] / salomeTools.py
1 #!/usr/bin/env python
2 #-*- coding:utf-8 -*-
3 #  Copyright (C) 2010-2012  CEA/DEN
4 #
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.
9 #
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.
14 #
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
18
19 '''This file is the main entry file to salomeTools
20 '''
21
22 # python imports
23 import os
24 import sys
25 import imp
26 import types
27 import gettext
28
29 # salomeTools imports
30 import src
31
32 # get path to salomeTools sources
33 satdir  = os.path.dirname(os.path.realpath(__file__))
34 cmdsdir = os.path.join(satdir, 'commands')
35
36 # Make the src package accessible from all code
37 sys.path.append(satdir)
38 sys.path.append(cmdsdir)
39
40 import config
41
42 # load resources for internationalization
43 #es = gettext.translation('salomeTools', os.path.join(satdir, 'src', 'i18n'))
44 #es.install()
45 gettext.install('salomeTools', os.path.join(satdir, 'src', 'i18n'))
46
47 def find_command_list(dirPath):
48     ''' Parse files in dirPath that end with .py : it gives commands list
49     
50     :param dirPath str: The directory path where to search the commands
51     :return: cmd_list : the list containing the commands name 
52     :rtype: list
53     '''
54     cmd_list = []
55     for item in os.listdir(dirPath):
56         if item.endswith('.py'):
57             cmd_list.append(item[:-len('.py')])
58     return cmd_list
59
60 # The list of valid salomeTools commands
61 #lCommand = ['config', 'compile', 'prepare']
62 lCommand = find_command_list(cmdsdir)
63
64 # Define all possible option for salomeTools command :  sat <option> <args>
65 parser = src.options.Options()
66 parser.add_option('h', 'help', 'boolean', 'help', _("shows global help or help on a specific command."))
67 parser.add_option('o', 'overwrite', 'list', "overwrite", _("overwrites a configuration parameters."))
68 parser.add_option('g', 'debug', 'boolean', 'debug_mode', _("run salomeTools in debug mode."))
69 parser.add_option('l', 'level', 'int', "output_level", _("change output level (default is 3)."))
70 parser.add_option('s', 'silent', 'boolean', 'silent', _("do not write log or show errors."))
71
72 class Sat(object):
73     '''The main class that stores all the commands of salomeTools
74     '''
75     def __init__(self, opt='', dataDir=None):
76         '''Initialization
77         
78         :param opt str: The sat options 
79         :param: dataDir str : the directory that contain all the external data (like software pyconf and software scripts)
80         '''
81         # Read the salomeTools options (the list of possible options is at the beginning of this file)
82         try:
83             (options, argus) = parser.parse_args(opt.split(' '))
84         except Exception as exc:
85             write_exception(exc)
86             sys.exit(-1)
87
88         # initialization of class attributes       
89         self.__dict__ = dict()
90         self.cfg = None # the config that will be read using pyconf module
91         self.options = options # the options passed to salomeTools
92         self.dataDir = dataDir # default value will be <salomeTools root>/data
93         self.logger = None
94         # set the commands by calling the dedicated function
95         self.__setCommands__(cmdsdir)
96         
97         # if the help option has been called, print help and exit
98         if options.help:
99             try:
100                 self.print_help(argus)
101                 sys.exit(0)
102             except Exception as exc:
103                 write_exception(exc)
104                 sys.exit(1)
105
106     def __getattr__(self, name):
107         ''' overwrite of __getattr__ function in order to display a customized message in case of a wrong call
108         
109         :param name str: The name of the attribute 
110         '''
111         if name in self.__dict__:
112             return self.__dict__[name]
113         else:
114             raise AttributeError(name + _(" is not a valid command"))
115     
116     def __setCommands__(self, dirPath):
117         '''set class attributes corresponding to all commands that are in the dirPath directory
118         
119         :param dirPath str: The directory path containing the commands 
120         '''
121         # loop on the commands name
122         for nameCmd in lCommand:
123             # load the module that has name nameCmd in dirPath
124             (file_, pathname, description) = imp.find_module(nameCmd, [dirPath])
125             module = imp.load_module(nameCmd, file_, pathname, description)
126             
127             def run_command(args=''):
128                 '''The function that will load the configuration (all pyconf)
129                 and return the function run of the command corresponding to module
130                 
131                 :param args str: The directory path containing the commands 
132                 '''
133                 argv = args.split(" ")
134                 
135                 # if it is provided by the command line, get the application
136                 appliToLoad = None
137                 if argv != [''] and argv[0][0] != "-":
138                     appliToLoad = argv[0].rstrip('*')
139                     argv = argv[1:]
140                 
141                 # Read the config if it is not already done
142                 if not self.cfg:
143                     # read the configuration from all the pyconf files    
144                     cfgManager = config.ConfigManager()
145                     self.cfg = cfgManager.getConfig(dataDir=self.dataDir, application=appliToLoad, options=self.options, command=__nameCmd__)
146                     
147                     # set output level
148                     if self.options.output_level:
149                         self.cfg.USER.output_level = self.options.output_level
150                     if self.cfg.USER.output_level < 1:
151                         self.cfg.USER.output_level = 1
152
153                     # create log file
154                     self.logger = src.logger.Logger(self.cfg, silent_sysstd=self.options.silent)
155                 
156                 return __module__.run(argv, self)
157
158             # Make sure that run_command will be redefined at each iteration of the loop
159             globals_up = {}
160             globals_up.update(run_command.__globals__)
161             globals_up.update({'__nameCmd__': nameCmd, '__module__' : module})
162             func = types.FunctionType(run_command.__code__, globals_up, run_command.__name__,run_command.__defaults__, run_command.__closure__)
163
164             # set the attribute corresponding to the command
165             self.__setattr__(nameCmd, func)
166
167     def print_help(self, opt):
168         '''Prints help for a command. Function called when "sat -h <command>"
169         
170         :param argv str: the options passed (to get the command name)
171         '''
172         # if no command as argument (sat -h)
173         if len(opt)==0:
174             print_help()
175             return
176         # get command name
177         command = opt[0]
178         # read the configuration from all the pyconf files    
179         cfgManager = config.ConfigManager()
180         self.cfg = cfgManager.getConfig(dataDir=self.dataDir)
181
182         # Check if this command exists
183         if not hasattr(self, command):
184             raise src.SatException(_("Command '%s' does not exist") % command)
185         
186         # Print salomeTools version
187         print_version()
188         
189         # load the module
190         module = self.get_module(command)
191
192         # print the description of the command that is done in the command file
193         if hasattr( module, "description" ) :
194             print(src.printcolors.printcHeader( _("Description:") ))
195             print(module.description() + '\n')
196
197         # print the description of the command options
198         if hasattr( module, "parser" ) :
199             module.parser.print_help()
200
201     def get_module(self, module):
202         '''Loads a command. Function called only by print_help
203         
204         :param module str: the command to load
205         '''
206         # Check if this command exists
207         if not hasattr(self, module):
208             raise src.SatException(_("Command '%s' does not exist") % module)
209
210         # load the module
211         (file_, pathname, description) = imp.find_module(module, [cmdsdir])
212         module = imp.load_module(module, file_, pathname, description)
213         return module
214  
215 def print_version():
216     '''prints salomeTools version (in src/internal_config/salomeTools.pyconf)
217     '''
218     # read the config 
219     cfgManager = config.ConfigManager()
220     cfg = cfgManager.getConfig()
221     # print the key corresponding to salomeTools version
222     print(src.printcolors.printcHeader( _("Version: ") ) + cfg.INTERNAL.sat_version + '\n')
223
224
225 def print_help():
226     '''prints salomeTools general help
227     
228     :param options str: the options
229     '''
230     print_version()
231     
232     print(src.printcolors.printcHeader( _("Usage: ") ) + "sat [sat_options] <command> [product] [command_options]\n")
233
234     parser.print_help()
235
236     # display all the available commands.
237     print(src.printcolors.printcHeader(_("Available commands are:\n")))
238     for command in lCommand:
239         print(" - %s" % (command))
240         
241     # Explain how to get the help for a specific command
242     print(src.printcolors.printcHeader(_("\nGetting the help for a specific command: ")) + "sat --help <command>\n")
243
244 def write_exception(exc):
245     '''write exception in case of error in a command
246     
247     :param exc exception: the exception to print
248     '''
249     sys.stderr.write("\n***** ")
250     sys.stderr.write(src.printcolors.printcError("salomeTools ERROR:"))
251     sys.stderr.write("\n" + str(exc) + "\n")
252
253 # ###############################
254 # MAIN : terminal command usage #
255 # ###############################
256 if __name__ == "__main__":  
257     # Get the command line using sys.argv
258     cmd_line = " ".join(sys.argv)
259     # Initialize the code that will be returned by the terminal command 
260     code = 0
261     (options, args) = parser.parse_args(sys.argv[1:])
262     
263     # no arguments : print general help
264     if len(args) == 0:
265         print_help()
266         sys.exit(0)
267     
268     # instantiate the salomeTools class with correct options
269     sat = Sat(' '.join(sys.argv[1:]))
270     # the command called
271     command = args[0]
272     # get dynamically the command function to call
273     fun_command = sat.__getattr__(command)
274     # call the command with two cases : mode debug or not
275     if options.debug_mode:
276         # call classically the command and if it fails, show exception and stack (usual python mode)
277         code = fun_command(' '.join(args[1:]))
278     else:
279         # catch exception in order to show less verbose but elegant message
280         try:
281             code = fun_command(' '.join(args[1:]))
282         except Exception as exc:
283             code = 1
284             write_exception(exc)
285     
286     # exit salomeTools with the right code (0 if no errors, else 1)
287     if code is None: code = 0
288     sys.exit(code)
289