From b59a97b669b7960ef6848f3a01f7f57398a454a1 Mon Sep 17 00:00:00 2001 From: Uggla Date: Thu, 31 Dec 2015 20:40:39 +0100 Subject: [PATCH 01/24] Cleanup to respect PEP8 --- redfish-client/redfish-client.py | 58 ++++++++++++++++---------------- 1 file changed, 29 insertions(+), 29 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index c1be6b6..d85c4f7 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -13,7 +13,7 @@ Usage: redfish-client.py [options] config showall redfish-client.py (-h | --help) redfish-client.py --version - + Options: -h --help Show this screen. @@ -33,52 +33,56 @@ import docopt class ConfigFile(object): + def __init__(self, config_file): - self._config_file = config_file + self._config_file = config_file # read json file try: with open(self._config_file) as json_data: self.data = json.load(json_data) json_data.close() except (ValueError, IOError): - self.data = {"Managers":{}} + self.data = {"Managers": {}} def save(self): try: - with open(self._config_file , 'w') as json_data: + with open(self._config_file, 'w') as json_data: json.dump(self.data, json_data) json_data.close() except IOError as e: - print(e.msg) - sys.exit(1) - + print(e.msg) + sys.exit(1) + def add_manager(self, manager_name, url, login, password): self.data['Managers'][manager_name] = {} self.data['Managers'][manager_name]['url'] = url - if login != None: + if login is not None: self.data['Managers'][manager_name]['login'] = login - if password != None: + if password is not None: self.data['Managers'][manager_name]['password'] = password - + def get_managers(self): managers = [] for manager in self.data['Managers']: - managers += [manager] + managers += [manager] return(managers) - + def get_manager_info(self, manager): info = {} - url=self.data['Managers'][manager]['url'] - login=self.data['Managers'][manager]['login'] - password=self.data['Managers'][manager]['password'] - info={'url':url, 'login':login, 'password':password} - return(info) + url = self.data['Managers'][manager]['url'] + login = self.data['Managers'][manager]['login'] + password = self.data['Managers'][manager]['password'] + info = {'url': url, 'login': login, 'password': password} + return(info) + class RedfishClientException(Exception): + """Base class for redfish client exceptions""" + def __init__(self, message=None, **kwargs): self.kwargs = kwargs - self.message = message + self.message = message if __name__ == '__main__': @@ -87,12 +91,12 @@ if __name__ == '__main__': print("Managers configured :") for manager in conf_file.get_managers(): print(manager) - if all == True: + if all is True: info = conf_file.get_manager_info(manager) print("\tUrl : {}".format(info['url'])) print("\tLogin : {}".format(info['login'])) print("\tPassword : {}".format(info['password'])) - + # Get $HOME environment. HOME = os.getenv('HOME') @@ -107,20 +111,16 @@ if __name__ == '__main__': conf_file = ConfigFile(arguments['--conf_file']) - - if arguments['config'] == True: - if arguments['show'] == True: + if arguments['config'] is True: + if arguments['show'] is True: show_manager() - elif arguments['showall'] == True: + elif arguments['showall'] is True: show_manager(True) - elif arguments['add'] == True: + elif arguments['add'] is True: conf_file.add_manager(arguments[''], arguments[''], arguments[''], arguments['password']) pprint.pprint(conf_file.data) - - conf_file.save() - - + conf_file.save() sys.exit(0) From 44f1e3af4e0624960d56860c66b856f8f08babce Mon Sep 17 00:00:00 2001 From: Uggla Date: Fri, 1 Jan 2016 11:49:52 +0100 Subject: [PATCH 02/24] Configuration file management improvement - Add modify command - Add delete command - Document class and method --- redfish-client/redfish-client.py | 147 ++++++++++++++++++++++++++++++- 1 file changed, 143 insertions(+), 4 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index d85c4f7..1563ad1 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -30,11 +30,24 @@ import sys import json import pprint import docopt +import logging +from logging.handlers import RotatingFileHandler class ConfigFile(object): - + """redfisht-client configuration file management""" def __init__(self, config_file): + """Initialize the configuration file + + Open and load configuration file data. + If the file does not exist create an empty one ready to receive data + + :param config_file: File name of the configuration file + default: ~/.redfish.conf + :type str + :returns: Nothing + + """ self._config_file = config_file # read json file try: @@ -45,6 +58,7 @@ class ConfigFile(object): self.data = {"Managers": {}} def save(self): + """Save the configuration file data""" try: with open(self._config_file, 'w') as json_data: json.dump(self.data, json_data) @@ -53,6 +67,11 @@ class ConfigFile(object): print(e.msg) sys.exit(1) + def manager_incorect(self, exception): + """ Log and exit if manager name is incorect""" + logger.error("Incorect manager name : %s" % exception.args) + sys.exit(1) + def add_manager(self, manager_name, url, login, password): self.data['Managers'][manager_name] = {} self.data['Managers'][manager_name]['url'] = url @@ -61,13 +80,70 @@ class ConfigFile(object): if password is not None: self.data['Managers'][manager_name]['password'] = password + def modify_manager(self, manager_name, parameter, parameter_value): + """Modify the manager settings + + :param manager name: Name of the manager + :type str + :param parameter: url | login | password + :type str + :param parameter_value: Value of the parameter + :type str + :returns: Nothing + + """ + + if parameter == "url": + try: + self.data['Managers'][manager_name]['url'] = parameter_value + except KeyError as e: + self.manager_incorect(e) + elif parameter == "login": + try: + self.data['Managers'][manager_name]['login'] = parameter_value + except KeyError as e: + self.manager_incorect(e) + elif parameter == "password": + try: + self.data['Managers'][manager_name]['password'] = parameter_value + except KeyError as e: + self.manager_incorect(e) + + def delete_manager(self, manager_name): + """Delete manager + + :param manager name: Name of the manager + :type str + :returns: Nothing + + """ + + try: + del self.data['Managers'][manager_name] + except KeyError as e: + self.manager_incorect(e) + def get_managers(self): + """Get manager configured + + :returns: Managers + :type list + + """ managers = [] for manager in self.data['Managers']: managers += [manager] return(managers) def get_manager_info(self, manager): + """Show manager infos (url, login, password) + + :param manager: Name of the manager + :type str + :returns: info containing url, login, password + :type dict + + """ info = {} url = self.data['Managers'][manager]['url'] login = self.data['Managers'][manager]['login'] @@ -86,8 +162,47 @@ class RedfishClientException(Exception): if __name__ == '__main__': + """Main application redfish-client""" # Functions + + def initialize_logger(redfish_logfile, logger_level): + """Initialize a global loggeer to track application behaviour + + :param redfish_logfile: log file name + :type str + :param logger_level: log level (logging.DEBUG, logging.ERROR, ...) + :type logging constant + :returns: True + + """ + global logger + logger = logging.getLogger() + + logger.setLevel(logger_level) + formatter = logging.Formatter( + '%(asctime)s :: %(levelname)s :: %(message)s' + ) + file_handler = RotatingFileHandler(redfish_logfile, 'a', 1000000, 1) + + # First logger to file + file_handler.setLevel(logger_level) + file_handler.setFormatter(formatter) + logger.addHandler(file_handler) + + # Second logger to console + steam_handler = logging.StreamHandler() + steam_handler.setLevel(logger_level) + logger.addHandler(steam_handler) + return True + def show_manager(all=False): + """Display manager infos + + :param all: Add login and password info + :type bool + :returns: Nothing + + """ print("Managers configured :") for manager in conf_file.get_managers(): print(manager) @@ -97,6 +212,10 @@ if __name__ == '__main__': print("\tLogin : {}".format(info['login'])) print("\tPassword : {}".format(info['password'])) + # Initialize logger + logger = None + initialize_logger("redfish-client.log", logging.DEBUG) + # Get $HOME environment. HOME = os.getenv('HOME') @@ -104,8 +223,9 @@ if __name__ == '__main__': print("$HOME environment variable not set, please check your system") sys.exit(1) + # Parse and manage arguments arguments = docopt.docopt(__doc__, version='redfish-client 0.1') - print(arguments) + logger.debug(arguments) arguments['--conf_file'] = arguments['--conf_file'].replace('~', HOME) @@ -121,6 +241,25 @@ if __name__ == '__main__': arguments[''], arguments[''], arguments['password']) - pprint.pprint(conf_file.data) - conf_file.save() + logger.debug(pprint.pprint(conf_file.data)) + conf_file.save() + elif arguments['del'] is True: + conf_file.delete_manager(arguments['']) + logger.debug(pprint.pprint(conf_file.data)) + conf_file.save() + elif arguments['modify'] is True: + if arguments['url'] is not False: + conf_file.modify_manager(arguments[''], + "url", + arguments['']) + elif arguments['login'] is not False: + conf_file.modify_manager(arguments[''], + "login", + arguments['']) + elif arguments['password'] is not False: + conf_file.modify_manager(arguments[''], + "password", + arguments['']) + logger.debug(pprint.pprint(conf_file.data)) + conf_file.save() sys.exit(0) From 2c19642dc2a85f79fbd38e307e849103a091100c Mon Sep 17 00:00:00 2001 From: Uggla Date: Fri, 1 Jan 2016 17:53:10 +0100 Subject: [PATCH 03/24] Improve config file management - Add a check_manager method. - Add renaming of a manager_name. - Replace " by ' for PEP8 reason (not mixing them). --- redfish-client/redfish-client.py | 110 +++++++++++++++++++++---------- 1 file changed, 75 insertions(+), 35 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index 1563ad1..cd1abd6 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -2,13 +2,13 @@ # coding=utf-8 -""" +''' redfish-client Usage: redfish-client.py [options] config add [] [] redfish-client.py [options] config del - redfish-client.py [options] config modify (url | login | password) + redfish-client.py [options] config modify (manager_name | url | login | password) redfish-client.py [options] config show redfish-client.py [options] config showall redfish-client.py (-h | --help) @@ -32,12 +32,13 @@ import pprint import docopt import logging from logging.handlers import RotatingFileHandler +import redfish class ConfigFile(object): - """redfisht-client configuration file management""" + '''redfisht-client configuration file management''' def __init__(self, config_file): - """Initialize the configuration file + '''Initialize the configuration file Open and load configuration file data. If the file does not exist create an empty one ready to receive data @@ -47,7 +48,7 @@ class ConfigFile(object): :type str :returns: Nothing - """ + ''' self._config_file = config_file # read json file try: @@ -55,10 +56,10 @@ class ConfigFile(object): self.data = json.load(json_data) json_data.close() except (ValueError, IOError): - self.data = {"Managers": {}} + self.data = {'Managers': {}} def save(self): - """Save the configuration file data""" + '''Save the configuration file data''' try: with open(self._config_file, 'w') as json_data: json.dump(self.data, json_data) @@ -68,11 +69,36 @@ class ConfigFile(object): sys.exit(1) def manager_incorect(self, exception): - """ Log and exit if manager name is incorect""" - logger.error("Incorect manager name : %s" % exception.args) + ''' Log and exit if manager name is incorect''' + logger.error('Incorect manager name : %s' % exception.args) sys.exit(1) + def check_manager(self, manager_name): + '''Check if the manager exists in configuration file + + :param manager_name: Name of the manager + :type str + + ''' + try: + manager_name in self.get_managers() + except KeyError as e: + self.manager_incorect(e) + def add_manager(self, manager_name, url, login, password): + '''Add a manager to the configuration file + + :param manager_name: Name of the manager + :type str + :param url: Url of the manager + :type str + :param login: Login of the manager + :type str + :param password: Password of the manager + :type str + + ''' + self.data['Managers'][manager_name] = {} self.data['Managers'][manager_name]['url'] = url if login is not None: @@ -81,7 +107,7 @@ class ConfigFile(object): self.data['Managers'][manager_name]['password'] = password def modify_manager(self, manager_name, parameter, parameter_value): - """Modify the manager settings + '''Modify the manager settings :param manager name: Name of the manager :type str @@ -91,32 +117,41 @@ class ConfigFile(object): :type str :returns: Nothing - """ + ''' - if parameter == "url": + if parameter == 'url': try: self.data['Managers'][manager_name]['url'] = parameter_value except KeyError as e: self.manager_incorect(e) - elif parameter == "login": + elif parameter == 'login': try: self.data['Managers'][manager_name]['login'] = parameter_value except KeyError as e: self.manager_incorect(e) - elif parameter == "password": + elif parameter == 'password': try: self.data['Managers'][manager_name]['password'] = parameter_value except KeyError as e: self.manager_incorect(e) + elif parameter == 'manager_name': + # Create a new entry with the new name + self.add_manager(parameter_value, + self.data['Managers'][manager_name]['url'], + self.data['Managers'][manager_name]['login'], + self.data['Managers'][manager_name]['password'], + ) + # Remove the previous one + self.delete_manager(manager_name) def delete_manager(self, manager_name): - """Delete manager + '''Delete manager :param manager name: Name of the manager :type str :returns: Nothing - """ + ''' try: del self.data['Managers'][manager_name] @@ -124,26 +159,26 @@ class ConfigFile(object): self.manager_incorect(e) def get_managers(self): - """Get manager configured + '''Get manager configured :returns: Managers :type list - """ + ''' managers = [] for manager in self.data['Managers']: managers += [manager] return(managers) def get_manager_info(self, manager): - """Show manager infos (url, login, password) + '''Show manager info (url, login, password) :param manager: Name of the manager :type str :returns: info containing url, login, password :type dict - """ + ''' info = {} url = self.data['Managers'][manager]['url'] login = self.data['Managers'][manager]['login'] @@ -154,7 +189,7 @@ class ConfigFile(object): class RedfishClientException(Exception): - """Base class for redfish client exceptions""" + '''Base class for redfish client exceptions''' def __init__(self, message=None, **kwargs): self.kwargs = kwargs @@ -162,11 +197,11 @@ class RedfishClientException(Exception): if __name__ == '__main__': - """Main application redfish-client""" + '''Main application redfish-client''' # Functions def initialize_logger(redfish_logfile, logger_level): - """Initialize a global loggeer to track application behaviour + '''Initialize a global loggeer to track application behaviour :param redfish_logfile: log file name :type str @@ -174,7 +209,7 @@ if __name__ == '__main__': :type logging constant :returns: True - """ + ''' global logger logger = logging.getLogger() @@ -196,31 +231,32 @@ if __name__ == '__main__': return True def show_manager(all=False): - """Display manager infos + '''Display manager info :param all: Add login and password info :type bool :returns: Nothing - """ - print("Managers configured :") + ''' + print('Managers configured :') for manager in conf_file.get_managers(): print(manager) if all is True: info = conf_file.get_manager_info(manager) - print("\tUrl : {}".format(info['url'])) - print("\tLogin : {}".format(info['login'])) - print("\tPassword : {}".format(info['password'])) + print('\tUrl : {}'.format(info['url'])) + print('\tLogin : {}'.format(info['login'])) + print('\tPassword : {}'.format(info['password'])) + # Initialize logger logger = None - initialize_logger("redfish-client.log", logging.DEBUG) + initialize_logger('redfish-client.log', logging.DEBUG) # Get $HOME environment. HOME = os.getenv('HOME') if HOME == '': - print("$HOME environment variable not set, please check your system") + print('$HOME environment variable not set, please check your system') sys.exit(1) # Parse and manage arguments @@ -250,15 +286,19 @@ if __name__ == '__main__': elif arguments['modify'] is True: if arguments['url'] is not False: conf_file.modify_manager(arguments[''], - "url", + 'url', arguments['']) elif arguments['login'] is not False: conf_file.modify_manager(arguments[''], - "login", + 'login', arguments['']) elif arguments['password'] is not False: conf_file.modify_manager(arguments[''], - "password", + 'password', + arguments['']) + elif arguments['manager_name'] is not False: + conf_file.modify_manager(arguments[''], + 'manager_name', arguments['']) logger.debug(pprint.pprint(conf_file.data)) conf_file.save() From 6dd251906689dd4fc66c7c3d56916dcf090d8213 Mon Sep 17 00:00:00 2001 From: Uggla Date: Fri, 1 Jan 2016 18:05:40 +0100 Subject: [PATCH 04/24] Handle check_manager exception correctly --- redfish-client/redfish-client.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index cd1abd6..886beab 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -81,7 +81,8 @@ class ConfigFile(object): ''' try: - manager_name in self.get_managers() + if manager_name not in self.get_managers(): + raise KeyError(manager_name) except KeyError as e: self.manager_incorect(e) From 63caa65d3264643cb3839a78b2b305b550e4e807 Mon Sep 17 00:00:00 2001 From: Uggla Date: Fri, 1 Jan 2016 18:08:09 +0100 Subject: [PATCH 05/24] Implement manager commands - Add a getinfo command (not working yet) --- redfish-client/redfish-client.py | 30 +++++++++++++++++++++++++++--- 1 file changed, 27 insertions(+), 3 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index 886beab..783ebc3 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -11,6 +11,7 @@ Usage: redfish-client.py [options] config modify (manager_name | url | login | password) redfish-client.py [options] config show redfish-client.py [options] config showall + redfish-client.py [options] manager getinfo [] redfish-client.py (-h | --help) redfish-client.py --version @@ -19,11 +20,13 @@ Options: -h --help Show this screen. --version Show version. --conf_file FILE Configuration file [default: ~/.redfish.conf]. + --insecure Check SSL certificats -config commands manage the configuration file. - -""" +config commands : manage the configuration file. +manager commands : manage the manager (Ligh out management). If + is not provided use the 'default' entry +''' import os import sys @@ -248,6 +251,15 @@ if __name__ == '__main__': print('\tLogin : {}'.format(info['login'])) print('\tPassword : {}'.format(info['password'])) + def get_manager_info(manager_name, check_SSL): + connection_parameters = conf_file.get_manager_info(manager_name) + remote_mgmt = redfish.connect(connection_parameters['url'], + connection_parameters['login'], + connection_parameters['password'], + verify_cert=check_SSL + ) + + print ('Redfish API version : %s \n' % remote_mgmt.get_api_version()) # Initialize logger logger = None @@ -303,4 +315,16 @@ if __name__ == '__main__': arguments['']) logger.debug(pprint.pprint(conf_file.data)) conf_file.save() + if arguments['manager'] is True: + if arguments['getinfo'] is True: + # If manager is not defined set it to 'default' + if not arguments['']: + manager_name = 'default' + # Check if the default section is available in our conf file + conf_file.check_manager(manager_name) + if arguments['--insecure'] is True: + get_manager_info(manager_name, False) + else: + get_manager_info(manager_name, True) + sys.exit(0) From 4ef8d92da7f6c922644547154c09e21bd191cd27 Mon Sep 17 00:00:00 2001 From: Uggla Date: Sat, 2 Jan 2016 10:54:53 +0100 Subject: [PATCH 06/24] Fix password variable when adding a new manager --- redfish-client/redfish-client.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index 783ebc3..8197f36 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -289,7 +289,7 @@ if __name__ == '__main__': conf_file.add_manager(arguments[''], arguments[''], arguments[''], - arguments['password']) + arguments['']) logger.debug(pprint.pprint(conf_file.data)) conf_file.save() elif arguments['del'] is True: From 466534359cd09421a82dffa7cd5faf51c7ef06b5 Mon Sep 17 00:00:00 2001 From: Uggla Date: Sat, 2 Jan 2016 11:33:58 +0100 Subject: [PATCH 07/24] Improve error management - Better handle connection errors. - Better handle login errors. - Improve exception process. - Update examples. - Make examples compatible with new configuration file. - Show exception handling. - Validate trusted SSL connection. - Various PEP8 corrections. --- examples/simple-proliant.py | 21 ++++++--- examples/simple-simulator.py | 19 +++++--- redfish/exception.py | 49 ++++++++++++++++---- redfish/main.py | 16 ++++--- redfish/types.py | 87 +++++++++++++++++++++--------------- 5 files changed, 131 insertions(+), 61 deletions(-) diff --git a/examples/simple-proliant.py b/examples/simple-proliant.py index a8f5174..468527b 100644 --- a/examples/simple-proliant.py +++ b/examples/simple-proliant.py @@ -6,7 +6,7 @@ import os import sys import json import redfish -from time import sleep + # Get $HOME environment. HOME = os.getenv('HOME') @@ -24,17 +24,26 @@ except IOError as e: print(e) sys.exit(1) -URL = config["Nodes"]["default"]["url"] -USER_NAME = config["Nodes"]["default"]["login"] -PASSWORD = config["Nodes"]["default"]["password"] +URL = config["Managers"]["default"]["url"] +USER_NAME = config["Managers"]["default"]["login"] +PASSWORD = config["Managers"]["default"]["password"] ''' remote_mgmt is a redfish.RedfishConnection object ''' -remote_mgmt = redfish.connect(URL, USER_NAME, PASSWORD, verify_cert=False) +try: + remote_mgmt = redfish.connect(URL, + USER_NAME, + PASSWORD, + simulator=False, + verify_cert=False) +except redfish.exception.RedfishException as e: + sys.stderr.write(str(e.message)) + sys.stderr.write(str(e.advices)) + sys.exit(1) print ("Redfish API version : %s \n" % remote_mgmt.get_api_version()) # Uncomment following line to reset the blade !!! -#remote_mgmt.Systems.systems_list[0].reset_system() +# remote_mgmt.Systems.systems_list[0].reset_system() # TODO : create an attribute to link the managed system directly # and avoid systems_list[0] diff --git a/examples/simple-simulator.py b/examples/simple-simulator.py index 52d9f18..b9db1af 100644 --- a/examples/simple-simulator.py +++ b/examples/simple-simulator.py @@ -23,13 +23,22 @@ except IOError as e: print(e) sys.exit(1) -URL = config["Nodes"]["default"]["url"] -USER_NAME = config["Nodes"]["default"]["login"] -PASSWORD = config["Nodes"]["default"]["password"] +URL = config["Managers"]["default"]["url"] +USER_NAME = config["Managers"]["default"]["login"] +PASSWORD = config["Managers"]["default"]["password"] ''' remoteMgmt is a redfish.RedfishConnection object ''' -remote_mgmt = redfish.connect(URL, USER_NAME, PASSWORD, - simulator=True, enforceSSL=False) +try: + remote_mgmt = redfish.connect(URL, + USER_NAME, + PASSWORD, + simulator=True, + enforceSSL=False) +except redfish.exception.RedfishException as e: + sys.stderr.write(e.message) + sys.stderr.write(e.advices) + sys.exit(1) + print("Redfish API version : {} \n".format(remote_mgmt.get_api_version())) print("UUID : {} \n".format(remote_mgmt.Root.get_api_UUID())) diff --git a/redfish/exception.py b/redfish/exception.py index 6038480..5152f80 100644 --- a/redfish/exception.py +++ b/redfish/exception.py @@ -1,21 +1,52 @@ # -*- coding: utf-8 -*- -import sys + import config + class RedfishException(Exception): """Base class for redfish exceptions""" - def __init__(self, message=None, **kwargs): + def __init__(self, message, **kwargs): self.kwargs = kwargs self.message = message + self.advices = None + config.logger.error(message) + + +class ConnectionFailureException(RedfishException): + def __init__(self, message, **kwargs): + super(ConnectionFailureException, self).__init__(message, **kwargs) + self.advices = '1- Check if the url is the correct one\n' + \ + '2- Check if your device is answering on the network\n' + + +class InvalidRedfishContentException(RedfishException): + def __init__(self, message, **kwargs): + super(InvalidRedfishContentException, self).__init__(message, **kwargs) + self.advices = \ + '1- Check if the url is the correct one\n' + \ + ' Most of the time you are not pointing to the rest API\n' + + +class NonTrustedCertificatException(RedfishException): + def __init__(self, message, **kwargs): + super(NonTrustedCertificatException, self).__init__(message, **kwargs) + self.advices = \ + '1- Check if the url is the correct one\n' + \ + '2- Check if your device has a valid trusted certificat\n' + \ + ' You can use openssl to validate it using the command :\n' + \ + ' openssl s_client -showcerts -connect :443\n' class AuthenticationFailureException(RedfishException): - def __init__(self, message=None, **kwargs): - super(AuthenticationFailureException, self).__init__(message=None, **kwargs) - config.logger.error(message) - # TODO - # Give a bit more details about the failure (check login etc...) - sys.exit(1) - + def __init__(self, message, **kwargs): + super(AuthenticationFailureException, self).__init__(message, **kwargs) + self.message += str(kwargs['code']) + self.queryAnswer = kwargs['queryAnswer'] + if kwargs['code'] == 400: + self.message += ': ' + self.queryAnswer['Messages'][0]['MessageID'] + self.advices = '1- Check your credentials\n' + self.message += '\n' + + class LogoutFailureException(RedfishException): pass diff --git a/redfish/main.py b/redfish/main.py index fbe9f21..6012a20 100644 --- a/redfish/main.py +++ b/redfish/main.py @@ -271,7 +271,7 @@ class RedfishConnection(object): # # print self.systemCollection.Name # - # ======================================================================== + # ======================================================================== def get_api_version(self): """Return api version. @@ -286,14 +286,15 @@ class RedfishConnection(object): url = self.Root.get_link_url( mapping.redfish_mapper.map_sessionservice() ) - - # Handle login with redfish 1.00, url must be : + + # Handle login with redfish 1.00, url must be : # /rest/v1/SessionService/Sessions as specified by the specification if float(mapping.redfish_version) >= 1.00: url += '/Sessions' # Craft request body and header requestBody = {"UserName": self.connection_parameters.user_name , "Password": self.connection_parameters.password} + config.logger.debug(requestBody) header = {'Content-type': 'application/json'} # ======================================================================= # Tortilla seems not able to provide the header of a post request answer. @@ -308,13 +309,16 @@ class RedfishConnection(object): headers=header, verify=self.connection_parameters.verify_cert ) - + # ======================================================================= # TODO : Manage exception with a class. # ======================================================================= if auth.status_code != 201: - raise exception.AuthenticationFailureException("Login request return an invalid status code") - #sysraise "Error getting token", auth.status_code + try: + answer=auth.json() + except ValueError as e: + answer = "" + raise exception.AuthenticationFailureException("Login request return an invalid status code ", code=auth.status_code, queryAnswer=answer) self.connection_parameters.auth_token = auth.headers.get("x-auth-token") self.connection_parameters.user_uri = auth.headers.get("location") diff --git a/redfish/types.py b/redfish/types.py index d6b3717..8423ff9 100644 --- a/redfish/types.py +++ b/redfish/types.py @@ -1,12 +1,14 @@ # coding=utf-8 import pprint +import re from urlparse import urljoin import requests +import simplejson import tortilla import config import mapping -import re +import exception # Global variable @@ -28,10 +30,25 @@ class Base(object): headers={'x-auth-token': connection_parameters.auth_token} ) except requests.ConnectionError as e: - print e # Log and transmit the exception. - config.logger.error("Connection error : %s", e) - raise e + config.logger.info("Raise a RedfishException to upper level") + msg = "Connection error : {}\n".format(e.message) + raise exception.ConnectionFailureException(msg) + except simplejson.scanner.JSONDecodeError as e: + # Log and transmit the exception. + config.logger.info("Raise a RedfishException to upper level") + msg = \ + "Ivalid content : Content does not appear to be a valid " + \ + "Redfish json\n" + raise exception.InvalidRedfishContentException(msg) + except TypeError as e: + # This happen connecting to a manager using non trusted + # SSL certificats. + # The exception is not what could be expected in such case but this + # is the one provided by Tortilla. + config.logger.info("Raise a RedfishException to upper level") + msg = "Connection error\n" + raise exception.NonTrustedCertificatException(msg) print self.data def get_link_url(self, link_type): @@ -43,7 +60,7 @@ class Base(object): """ self.links=[] - + # Manage standard < 1.0 if float(mapping.redfish_version) < 1.00: links = getattr(self.data, mapping.redfish_mapper.map_links()) @@ -53,7 +70,7 @@ class Base(object): links = getattr(self.data, link_type) link = getattr(links, mapping.redfish_mapper.map_links_ref()) return urljoin(self.url, link) - + @property def url(self): return self.__url @@ -61,37 +78,37 @@ class Base(object): @url.setter def url(self, url): self.__url = url - + def get_parameter(self, parameter_name): """Generic function to get any system parameter :param parameter_name: name of the parameter :returns: string -- parameter value - + """ try: return self.data[parameter_name] except: return "Parameter does not exist" - + def get_parameters(self): """Generic function to get all system parameters :returns: string -- parameter value - + """ try: return self.data except: return -1 - + def set_parameter(self, parameter_name, value): """Generic function to set any system parameter :param parameter_name: name of the parameter :param value: value to set :returns: string -- http response of PATCH request - + """ # Craft the request action = dict() @@ -103,8 +120,8 @@ class Base(object): response = self.api_url.patch(verify=self.connection_parameters.verify_cert, headers={'x-auth-token': self.connection_parameters.auth_token}, data=action - ) - return response + ) + return response class BaseCollection(Base): """Abstract class to manage collection (Chassis, Servers etc...).""" @@ -112,7 +129,7 @@ class BaseCollection(Base): super(BaseCollection, self).__init__(url, connection_parameters) self.links=[] - + #linksmembers = self.data.Links.Members #linksmembers = self.data.links.Member @@ -143,7 +160,7 @@ class Root(Base): version = self.data.RedfishVersion except AttributeError: version = self.data.ServiceVersion - + version = version.replace('.', '') version = version[0] + '.' + version[1:] return(version) @@ -175,7 +192,7 @@ class Managers(Base): def __init__(self, url, connection_parameters): super(Managers, self).__init__(url, connection_parameters) try: - + # self.ethernet_interfaces_collection = EthernetInterfacesCollection( # self.get_link_url("EthernetInterfaces"), # connection_parameters @@ -188,12 +205,12 @@ class Managers(Base): ) except: pass - + def get_firmware_version(self): """Get bios version of the system. :returns: string -- bios version - + """ try: # Returned by proliant @@ -223,12 +240,12 @@ class Systems(Base): self.bios = Bios(url + "Bios/Settings", connection_parameters) except: pass - + def reset_system(self): """Force reset of the system. :returns: string -- http response of POST request - + """ # Craft the request action = dict() @@ -243,12 +260,12 @@ class Systems(Base): ) #TODO : treat response. return response - + def get_bios_version(self): """Get bios version of the system. :returns: string -- bios version - + """ try: # Returned by proliant @@ -262,7 +279,7 @@ class Systems(Base): """Get serial number of the system. :returns: string -- serial number - + """ try: # Returned by proliant @@ -271,12 +288,12 @@ class Systems(Base): # Returned by mockup. # Hopefully this kind of discrepencies will be fixed with Redfish 1.0 (August) return "" - + def get_power(self): """Get power status of the system. :returns: string -- power status or NULL if there is an issue - + """ try: return self.data.Power @@ -288,7 +305,7 @@ class Systems(Base): :param value: json structure with value to update :returns: string -- http response of PATCH request - + """ # perform the POST action #print self.api_url.url() @@ -297,7 +314,7 @@ class Systems(Base): headers={'x-auth-token': self.connection_parameters.auth_token, 'Content-type': 'application/json'}, data=value) return response.reason - + def set_boot_source_override(self, target, enabled): """Shotcut function to set boot source @@ -318,16 +335,16 @@ class Systems(Base): "Once", "Continuous" :returns: string -- http response of PATCH request - """ + """ return self.set_parameter_json('{"Boot": {"BootSourceOverrideTarget": "'+target+'"},{"BootSourceOverrideEnabled" : "'+enabled+'"}}') class SystemsCollection(BaseCollection): """Class to manage redfish ManagersCollection data.""" def __init__(self, url, connection_parameters): super(SystemsCollection, self).__init__(url, connection_parameters) - + self.systems_list = [] - + for link in self.links: self.systems_list.append(Systems(link, connection_parameters)) @@ -341,14 +358,14 @@ class Boot(Base): """Class to manage redfish Boot data.""" def __init__(self, url, connection_parameters): super(Boot, self).__init__(url, connection_parameters) - + class EthernetInterfacesCollection(BaseCollection): """Class to manage redfish EthernetInterfacesColkection data.""" def __init__(self, url, connection_parameters): super(EthernetInterfacesCollection, self).__init__(url, connection_parameters) - + self.ethernet_interfaces_list = [] - + # Url returned by the mock up is wrong /redfish/v1/Managers/EthernetInterfaces/1 returns a 404. # The correct one should be /redfish/v1/Managers/1/EthernetInterfaces/1 # Check more than 1 hour for this bug.... grrr.... @@ -357,4 +374,4 @@ class EthernetInterfacesCollection(BaseCollection): class EthernetInterfaces(Base): """Class to manage redfish EthernetInterfaces data.""" - pass \ No newline at end of file + pass From feff4fb6924d97653f864912a179aaf8151a703f Mon Sep 17 00:00:00 2001 From: Uggla Date: Sat, 2 Jan 2016 14:15:21 +0100 Subject: [PATCH 08/24] Allow client to work with simulator - An empty login allow to connect to the DMTF refish mockup by setting simulator=True, verify_cert=False, enforceSSL=False. --- redfish-client/redfish-client.py | 16 +++++++++++++--- 1 file changed, 13 insertions(+), 3 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index 8197f36..908bb6c 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -253,10 +253,18 @@ if __name__ == '__main__': def get_manager_info(manager_name, check_SSL): connection_parameters = conf_file.get_manager_info(manager_name) + if not connection_parameters['login']: + simulator = True + enforceSSL = False + else: + simulator = False + enforceSSL = True remote_mgmt = redfish.connect(connection_parameters['url'], connection_parameters['login'], connection_parameters['password'], - verify_cert=check_SSL + verify_cert=check_SSL, + simulator=simulator, + enforceSSL=enforceSSL ) print ('Redfish API version : %s \n' % remote_mgmt.get_api_version()) @@ -320,8 +328,10 @@ if __name__ == '__main__': # If manager is not defined set it to 'default' if not arguments['']: manager_name = 'default' - # Check if the default section is available in our conf file - conf_file.check_manager(manager_name) + else: + manager_name = arguments[''] + # Check if the default section is available in our conf file + conf_file.check_manager(manager_name) if arguments['--insecure'] is True: get_manager_info(manager_name, False) else: From 6b4db2baefd688def1b1f1fadb23bdc942fc2dbe Mon Sep 17 00:00:00 2001 From: Uggla Date: Sat, 2 Jan 2016 16:31:41 +0100 Subject: [PATCH 09/24] Improve debug - Try to factorise initialize_logger into redfish.config. - Remove global logger declaration to avoid potential side effects. - Add new logging.debug instead of print and try to cleanup. - Allow logger.setlevel to be more flexible by configuring console and file level of log. - Prepare client to allow optional debug parameter with loglevel selection. --- redfish-client/redfish-client.py | 61 +++++++++++++++++++++++--------- redfish/config.py | 42 ++++++++++++++-------- redfish/main.py | 29 +++++---------- redfish/types.py | 8 ++--- 4 files changed, 83 insertions(+), 57 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index 908bb6c..9e55608 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -204,34 +204,39 @@ if __name__ == '__main__': '''Main application redfish-client''' # Functions - def initialize_logger(redfish_logfile, logger_level): - '''Initialize a global loggeer to track application behaviour + def initialize_logger(redfish_logfile, + console_logger_level, + file_logger_level): + '''Initialize a global logger to track application behaviour - :param redfish_logfile: log file name + :param redfish_logfile: Log filename :type str - :param logger_level: log level (logging.DEBUG, logging.ERROR, ...) + :param screen_logger_level: Console log level + (logging.DEBUG, logging.ERROR, ..) or nolog + :type logging constant or string + :param file_logger_level: File log level :type logging constant :returns: True ''' global logger - logger = logging.getLogger() + logger = logging.getLogger(__name__) - logger.setLevel(logger_level) formatter = logging.Formatter( '%(asctime)s :: %(levelname)s :: %(message)s' ) file_handler = RotatingFileHandler(redfish_logfile, 'a', 1000000, 1) # First logger to file - file_handler.setLevel(logger_level) + file_handler.setLevel(file_logger_level) file_handler.setFormatter(formatter) logger.addHandler(file_handler) # Second logger to console - steam_handler = logging.StreamHandler() - steam_handler.setLevel(logger_level) - logger.addHandler(steam_handler) + if console_logger_level != "nolog": + steam_handler = logging.StreamHandler() + steam_handler.setLevel(console_logger_level) + logger.addHandler(steam_handler) return True def show_manager(all=False): @@ -269,31 +274,48 @@ if __name__ == '__main__': print ('Redfish API version : %s \n' % remote_mgmt.get_api_version()) + # Main program + redfishclient_version = "redfish-client 0.1" + + # Parse and manage arguments + arguments = docopt.docopt(__doc__, version=redfishclient_version) + # Initialize logger logger = None - initialize_logger('redfish-client.log', logging.DEBUG) + #initialize_logger('redfish-client.log', "nolog", logging.DEBUG) + logger = redfish.config.initialize_logger('redfish-client.log', + "nolog", + logging.DEBUG, + __name__) + redfish.config.TORTILLADEBUG = False + #redfish.config. + + logger.info("*** Starting %s ***" % redfishclient_version) + logger.info("Arguments parsed") + logger.debug(arguments) # Get $HOME environment. HOME = os.getenv('HOME') - if HOME == '': + if not HOME: print('$HOME environment variable not set, please check your system') + logger.error('$HOME environment variable not set') sys.exit(1) - - # Parse and manage arguments - arguments = docopt.docopt(__doc__, version='redfish-client 0.1') - logger.debug(arguments) + logger.debug("Home directory : %s" % HOME) arguments['--conf_file'] = arguments['--conf_file'].replace('~', HOME) - conf_file = ConfigFile(arguments['--conf_file']) if arguments['config'] is True: + logger.debug("Config commands") if arguments['show'] is True: + logger.debug('show command') show_manager() elif arguments['showall'] is True: + logger.debug('showall command') show_manager(True) elif arguments['add'] is True: + logger.debug('add command') conf_file.add_manager(arguments[''], arguments[''], arguments[''], @@ -301,10 +323,12 @@ if __name__ == '__main__': logger.debug(pprint.pprint(conf_file.data)) conf_file.save() elif arguments['del'] is True: + logger.debug('del command') conf_file.delete_manager(arguments['']) logger.debug(pprint.pprint(conf_file.data)) conf_file.save() elif arguments['modify'] is True: + logger.debug('modify command') if arguments['url'] is not False: conf_file.modify_manager(arguments[''], 'url', @@ -324,7 +348,9 @@ if __name__ == '__main__': logger.debug(pprint.pprint(conf_file.data)) conf_file.save() if arguments['manager'] is True: + logger.debug("Manager commands") if arguments['getinfo'] is True: + logger.debug('getinfo command') # If manager is not defined set it to 'default' if not arguments['']: manager_name = 'default' @@ -337,4 +363,5 @@ if __name__ == '__main__': else: get_manager_info(manager_name, True) + logger.info("Client session teminated") sys.exit(0) diff --git a/redfish/config.py b/redfish/config.py index 6bd9341..949251b 100644 --- a/redfish/config.py +++ b/redfish/config.py @@ -4,34 +4,46 @@ import logging from logging.handlers import RotatingFileHandler # Global variable definition -TORTILLADEBUG = True + logger = None +TORTILLADEBUG = True +REDFISH_LOGFILE = "/var/log/python-redfish/python-redfish.log" +CONSOLE_LOGGER_LEVEL = logging.DEBUG +FILE_LOGGER_LEVEL = logging.DEBUG -def initialize_logger(redfish_logfile): - """Return api version. +def initialize_logger(REDFISH_LOGFILE, + CONSOLE_LOGGER_LEVEL, + FILE_LOGGER_LEVEL, + logger_name=""): + '''Initialize a global logger to track application behaviour - :param redfish_logfile: redfish log + :param redfish_logfile: Log filename :type str - :returns: True + :param screen_logger_level: Console log level + (logging.DEBUG, logging.ERROR, ..) or nolog + :type logging constant or string + :param file_logger_level: File log level + :type logging constant + :returns: logging object - """ - global logger - logger = logging.getLogger() - + ''' + + logger = logging.getLogger(logger_name) logger.setLevel(logging.DEBUG) formatter = logging.Formatter( '%(asctime)s :: %(levelname)s :: %(message)s' ) - file_handler = RotatingFileHandler(redfish_logfile, 'a', 1000000, 1) + file_handler = RotatingFileHandler(REDFISH_LOGFILE, 'a', 1000000, 1) # First logger to file - file_handler.setLevel(logging.DEBUG) + file_handler.setLevel(FILE_LOGGER_LEVEL) file_handler.setFormatter(formatter) logger.addHandler(file_handler) # Second logger to console - steam_handler = logging.StreamHandler() - steam_handler.setLevel(logging.DEBUG) - logger.addHandler(steam_handler) - return True \ No newline at end of file + if CONSOLE_LOGGER_LEVEL != "nolog": + steam_handler = logging.StreamHandler() + steam_handler.setLevel(CONSOLE_LOGGER_LEVEL) + logger.addHandler(steam_handler) + return logger diff --git a/redfish/main.py b/redfish/main.py index 6012a20..e3435e3 100644 --- a/redfish/main.py +++ b/redfish/main.py @@ -117,7 +117,7 @@ Clients should always be prepared for: # coding=utf-8 -import sys + import json from urlparse import urlparse import requests @@ -126,21 +126,7 @@ import types import mapping import exception -# Global variable definition -redfish_logfile = "/var/log/python-redfish/python-redfish.log" - -# =============================================================================== -# TODO : create method to set logging level and TORTILLADEBUG. -# =============================================================================== - - -def set_log_file(logfile): - global redfish_logfile - redfish_logfile = logfile - return True - - -""" Function to wrap RedfishConnection """ +"""Function to wrap RedfishConnection""" def connect( @@ -150,9 +136,8 @@ def connect( simulator=False, enforceSSL=True, verify_cert=True - ): - global redfish_logfile - config.initialize_logger(redfish_logfile) + ): + return RedfishConnection( url, user, @@ -173,9 +158,11 @@ class RedfishConnection(object): simulator=False, enforceSSL=True, verify_cert=True - ): + ): """Initialize a connection to a Redfish service.""" - super(RedfishConnection, self).__init__() + config.logger = config.initialize_logger(config.REDFISH_LOGFILE, + config.CONSOLE_LOGGER_LEVEL, + config.FILE_LOGGER_LEVEL) config.logger.info("Initialize python-redfish") diff --git a/redfish/types.py b/redfish/types.py index 8423ff9..256e7e6 100644 --- a/redfish/types.py +++ b/redfish/types.py @@ -49,7 +49,7 @@ class Base(object): config.logger.info("Raise a RedfishException to upper level") msg = "Connection error\n" raise exception.NonTrustedCertificatException(msg) - print self.data + config.logger.debug(self.data) def get_link_url(self, link_type): """Need to be explained. @@ -113,10 +113,10 @@ class Base(object): # Craft the request action = dict() action[parameter_name] = value - print(action) + config.logger.debug(action) # Perform the POST action - print self.api_url + config.logger.debug(self.api_url) response = self.api_url.patch(verify=self.connection_parameters.verify_cert, headers={'x-auth-token': self.connection_parameters.auth_token}, data=action @@ -144,7 +144,7 @@ class BaseCollection(Base): self.links.append(urljoin(self.url, getattr(link, mapping.redfish_mapper.map_links_ref()))) - print self.links + config.logger.debug(self.links) class Root(Base): From 63468ebc7747b47b6666582917114b2c7494f825 Mon Sep 17 00:00:00 2001 From: Uggla Date: Sat, 2 Jan 2016 18:03:55 +0100 Subject: [PATCH 10/24] Avoid warning messages from request / urllib3 - These messages make polution to the console using the client. The idea is to remove them in low level logging. However these message are interesting so keep them for debugging purpose. --- redfish-client/redfish-client.py | 9 ++++++++- 1 file changed, 8 insertions(+), 1 deletion(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index 9e55608..2fb35df 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -36,6 +36,7 @@ import docopt import logging from logging.handlers import RotatingFileHandler import redfish +import requests.packages.urllib3 class ConfigFile(object): @@ -288,7 +289,13 @@ if __name__ == '__main__': logging.DEBUG, __name__) redfish.config.TORTILLADEBUG = False - #redfish.config. + redfish.config.CONSOLE_LOGGER_LEVEL = "nolog" + # Avoid warning messages from request / urllib3 + # SecurityWarning: Certificate has no `subjectAltName`, falling back + # to check for a `commonName` for now. This feature is being removed + # by major browsers and deprecated by RFC 2818. + # (See https://github.com/shazow/urllib3/issues/497 for details.) + requests.packages.urllib3.disable_warnings() logger.info("*** Starting %s ***" % redfishclient_version) logger.info("Arguments parsed") From 1546517a7d5b8dbd49212db342018ea85aa4fe64 Mon Sep 17 00:00:00 2001 From: Uggla Date: Sat, 2 Jan 2016 19:22:15 +0100 Subject: [PATCH 11/24] Finally remove duplicated function initialize_logger from redfish-client --- redfish-client/redfish-client.py | 37 -------------------------------- 1 file changed, 37 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index 2fb35df..5e90f7d 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -34,7 +34,6 @@ import json import pprint import docopt import logging -from logging.handlers import RotatingFileHandler import redfish import requests.packages.urllib3 @@ -205,41 +204,6 @@ if __name__ == '__main__': '''Main application redfish-client''' # Functions - def initialize_logger(redfish_logfile, - console_logger_level, - file_logger_level): - '''Initialize a global logger to track application behaviour - - :param redfish_logfile: Log filename - :type str - :param screen_logger_level: Console log level - (logging.DEBUG, logging.ERROR, ..) or nolog - :type logging constant or string - :param file_logger_level: File log level - :type logging constant - :returns: True - - ''' - global logger - logger = logging.getLogger(__name__) - - formatter = logging.Formatter( - '%(asctime)s :: %(levelname)s :: %(message)s' - ) - file_handler = RotatingFileHandler(redfish_logfile, 'a', 1000000, 1) - - # First logger to file - file_handler.setLevel(file_logger_level) - file_handler.setFormatter(formatter) - logger.addHandler(file_handler) - - # Second logger to console - if console_logger_level != "nolog": - steam_handler = logging.StreamHandler() - steam_handler.setLevel(console_logger_level) - logger.addHandler(steam_handler) - return True - def show_manager(all=False): '''Display manager info @@ -283,7 +247,6 @@ if __name__ == '__main__': # Initialize logger logger = None - #initialize_logger('redfish-client.log', "nolog", logging.DEBUG) logger = redfish.config.initialize_logger('redfish-client.log', "nolog", logging.DEBUG, From 657a294cba6222718196611a875a5b1633162eaa Mon Sep 17 00:00:00 2001 From: Uggla Date: Sat, 2 Jan 2016 19:58:53 +0100 Subject: [PATCH 12/24] Add exception handling. - Add first exception handling to get_manager_info. Maybe I will have to factorise that later... --- redfish-client/redfish-client.py | 23 ++++++++++++++++------- 1 file changed, 16 insertions(+), 7 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index 5e90f7d..deb5121 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -229,13 +229,22 @@ if __name__ == '__main__': else: simulator = False enforceSSL = True - remote_mgmt = redfish.connect(connection_parameters['url'], - connection_parameters['login'], - connection_parameters['password'], - verify_cert=check_SSL, - simulator=simulator, - enforceSSL=enforceSSL - ) + try: + print 'Gathering data from manager, please wait...' + # TODO : Add a rotating star showing program is running ? + # Could be a nice exercice for learning python + logger.info('Gathering data from manager') + remote_mgmt = redfish.connect(connection_parameters['url'], + connection_parameters['login'], + connection_parameters['password'], + verify_cert=check_SSL, + simulator=simulator, + enforceSSL=enforceSSL + ) + except redfish.exception.RedfishException as e: + sys.stderr.write(str(e.message)) + sys.stderr.write(str(e.advices)) + sys.exit(1) print ('Redfish API version : %s \n' % remote_mgmt.get_api_version()) From 1ff144827bc0b836c0530830b98ce1df7449b2f0 Mon Sep 17 00:00:00 2001 From: Uggla Date: Sat, 2 Jan 2016 22:25:07 +0100 Subject: [PATCH 13/24] Client debug options - Allow client to choose optional debug parameter with loglevel from command line. --- redfish-client/redfish-client.py | 62 +++++++++++++++++++++++++------- 1 file changed, 49 insertions(+), 13 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index deb5121..9f4a51a 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -17,11 +17,14 @@ Usage: Options: - -h --help Show this screen. - --version Show version. - --conf_file FILE Configuration file [default: ~/.redfish.conf]. - --insecure Check SSL certificats - + -h --help Show this screen. + --version Show version. + --conf_file FILE Configuration file [default: ~/.redfish.conf] + --insecure Check SSL certificats + --debug LEVEL Run in debug mode, LEVEL from 1 to 3 increase verbosity + Security warning LEVEL > 1 could reveal password into the logs + --debugfile FILE Specify the client debugfile [default: redfish-client.log] + --libdebugfile FILE Specify python-redfish library log file [default: /var/log/python-redfish/python-redfish.log] config commands : manage the configuration file. manager commands : manage the manager (Ligh out management). If @@ -232,7 +235,7 @@ if __name__ == '__main__': try: print 'Gathering data from manager, please wait...' # TODO : Add a rotating star showing program is running ? - # Could be a nice exercice for learning python + # Could be a nice exercice for learning python. :) logger.info('Gathering data from manager') remote_mgmt = redfish.connect(connection_parameters['url'], connection_parameters['login'], @@ -254,20 +257,53 @@ if __name__ == '__main__': # Parse and manage arguments arguments = docopt.docopt(__doc__, version=redfishclient_version) - # Initialize logger + # Check debuging options + # Debugging LEVEL : + # 1- Only client + # 2- Client and lib + # 3- Client and lib + Tortilla + + loglevel = {"console_logger_level": "nolog", + "file_logger_level": logging.INFO, + "tortilla": False, + "lib_console_logger_level": "nolog", + "lib_file_logger_level": logging.INFO, + "urllib3_disable_warning": True} + + if arguments['--debug'] == '1': + loglevel['console_logger_level'] = logging.DEBUG + loglevel['file_logger_level'] = logging.DEBUG + elif arguments['--debug'] == '2': + loglevel['console_logger_level'] = logging.DEBUG + loglevel['file_logger_level'] = logging.DEBUG + loglevel['lib_console_logger_level'] = logging.DEBUG + loglevel['lib_file_logger_level'] = logging.DEBUG + loglevel['urllib3_disable_warning'] = False + elif arguments['--debug'] == '3': + loglevel['console_logger_level'] = logging.DEBUG + loglevel['file_logger_level'] = logging.DEBUG + loglevel['lib_console_logger_level'] = logging.DEBUG + loglevel['lib_file_logger_level'] = logging.DEBUG + loglevel['urllib3_disable_warning'] = False + loglevel['tortilla'] = True + + # Initialize logger according to command line parameters logger = None - logger = redfish.config.initialize_logger('redfish-client.log', - "nolog", - logging.DEBUG, + logger = redfish.config.initialize_logger(arguments['--debugfile'], + loglevel['console_logger_level'], + loglevel['file_logger_level'], __name__) - redfish.config.TORTILLADEBUG = False - redfish.config.CONSOLE_LOGGER_LEVEL = "nolog" + redfish.config.REDFISH_LOGFILE = arguments['--libdebugfile'] + redfish.config.TORTILLADEBUG = loglevel['tortilla'] + redfish.config.CONSOLE_LOGGER_LEVEL = loglevel['lib_console_logger_level'] + redfish.config.FILE_LOGGER_LEVEL = loglevel['lib_file_logger_level'] # Avoid warning messages from request / urllib3 # SecurityWarning: Certificate has no `subjectAltName`, falling back # to check for a `commonName` for now. This feature is being removed # by major browsers and deprecated by RFC 2818. # (See https://github.com/shazow/urllib3/issues/497 for details.) - requests.packages.urllib3.disable_warnings() + if loglevel['urllib3_disable_warning'] is True: + requests.packages.urllib3.disable_warnings() logger.info("*** Starting %s ***" % redfishclient_version) logger.info("Arguments parsed") From 5f42022b6454eacc5faddc4ae777b8bfdddd7e18 Mon Sep 17 00:00:00 2001 From: Uggla Date: Sat, 2 Jan 2016 23:07:44 +0100 Subject: [PATCH 14/24] First round of PEP8 sanitization on types.py --- redfish/types.py | 166 +++++++++++++++++++++++++---------------------- 1 file changed, 87 insertions(+), 79 deletions(-) diff --git a/redfish/types.py b/redfish/types.py index 256e7e6..c8eaff9 100644 --- a/redfish/types.py +++ b/redfish/types.py @@ -14,9 +14,9 @@ import exception class Base(object): - """Abstract class to manage types (Chassis, Servers etc...).""" + '''Abstract class to manage types (Chassis, Servers etc...).''' def __init__(self, url, connection_parameters): - """Class constructor""" + '''Class constructor''' global TORTILLADEBUG self.connection_parameters = connection_parameters # Uggly hack to check self.url = url @@ -31,34 +31,34 @@ class Base(object): ) except requests.ConnectionError as e: # Log and transmit the exception. - config.logger.info("Raise a RedfishException to upper level") - msg = "Connection error : {}\n".format(e.message) + config.logger.info('Raise a RedfishException to upper level') + msg = 'Connection error : {}\n'.format(e.message) raise exception.ConnectionFailureException(msg) except simplejson.scanner.JSONDecodeError as e: # Log and transmit the exception. - config.logger.info("Raise a RedfishException to upper level") + config.logger.info('Raise a RedfishException to upper level') msg = \ - "Ivalid content : Content does not appear to be a valid " + \ - "Redfish json\n" + 'Ivalid content : Content does not appear to be a valid ' + \ + 'Redfish json\n' raise exception.InvalidRedfishContentException(msg) except TypeError as e: # This happen connecting to a manager using non trusted # SSL certificats. # The exception is not what could be expected in such case but this # is the one provided by Tortilla. - config.logger.info("Raise a RedfishException to upper level") - msg = "Connection error\n" + config.logger.info('Raise a RedfishException to upper level') + msg = 'Connection error\n' raise exception.NonTrustedCertificatException(msg) config.logger.debug(self.data) def get_link_url(self, link_type): - """Need to be explained. + '''Need to be explained. :param redfish_logfile: redfish log :type str :returns: True - """ + ''' self.links=[] # Manage standard < 1.0 @@ -80,36 +80,36 @@ class Base(object): self.__url = url def get_parameter(self, parameter_name): - """Generic function to get any system parameter + '''Generic function to get a specific parameter :param parameter_name: name of the parameter :returns: string -- parameter value - """ + ''' try: return self.data[parameter_name] except: - return "Parameter does not exist" + return 'Parameter does not exist' def get_parameters(self): - """Generic function to get all system parameters + '''Generic function to get all parameters :returns: string -- parameter value - """ + ''' try: return self.data except: return -1 def set_parameter(self, parameter_name, value): - """Generic function to set any system parameter + '''Generic function to set a specific parameter :param parameter_name: name of the parameter :param value: value to set :returns: string -- http response of PATCH request - """ + ''' # Craft the request action = dict() action[parameter_name] = value @@ -117,14 +117,15 @@ class Base(object): # Perform the POST action config.logger.debug(self.api_url) - response = self.api_url.patch(verify=self.connection_parameters.verify_cert, - headers={'x-auth-token': self.connection_parameters.auth_token}, - data=action - ) + response = self.api_url.patch( + verify=self.connection_parameters.verify_cert, + headers={'x-auth-token': self.connection_parameters.auth_token}, + data=action) return response + class BaseCollection(Base): - """Abstract class to manage collection (Chassis, Servers etc...).""" + '''Abstract class to manage collection (Chassis, Servers etc...).''' def __init__(self, url, connection_parameters): super(BaseCollection, self).__init__(url, connection_parameters) @@ -139,8 +140,8 @@ class BaseCollection(Base): else: linksmembers = getattr(self.data, mapping.redfish_mapper.map_members()) for link in linksmembers: - #self.links.append(getattr(link,"@odata.id")) - #self.links.append(getattr(link,"href")) + #self.links.append(getattr(link,'@odata.id')) + #self.links.append(getattr(link,'href')) self.links.append(urljoin(self.url, getattr(link, mapping.redfish_mapper.map_links_ref()))) @@ -148,14 +149,14 @@ class BaseCollection(Base): class Root(Base): - """Class to manage redfish Root data.""" + '''Class to manage redfish Root data.''' def get_api_version(self): - """Return api version. + '''Return api version. :returns: string -- version :raises: AttributeError - """ + ''' try: version = self.data.RedfishVersion except AttributeError: @@ -166,52 +167,52 @@ class Root(Base): return(version) def get_api_UUID(self): - """Return UUID version. + '''Return UUID version. :returns: string -- UUID - """ + ''' return self.data.UUID def get_api_link_to_server(self): - """Return api link to server. + '''Return api link to server. :returns: string -- path - """ - return getattr(self.root.Links.Systems, "@odata.id") + ''' + return getattr(self.root.Links.Systems, '@odata.id') class SessionService(Base): - """Class to manage redfish SessionService data.""" + '''Class to manage redfish SessionService data.''' pass class Managers(Base): - """Class to manage redfish Managers.""" + '''Class to manage redfish Managers.''' def __init__(self, url, connection_parameters): super(Managers, self).__init__(url, connection_parameters) try: # self.ethernet_interfaces_collection = EthernetInterfacesCollection( -# self.get_link_url("EthernetInterfaces"), +# self.get_link_url('EthernetInterfaces'), # connection_parameters # ) # Works on proliant, need to treat 095 vs 0.96 differences self.ethernet_interfaces_collection = EthernetInterfacesCollection( - self.get_link_url("EthernetNICs"), + self.get_link_url('EthernetNICs'), connection_parameters ) except: pass def get_firmware_version(self): - """Get bios version of the system. + '''Get bios version of the system. :returns: string -- bios version - """ + ''' try: # Returned by proliant return self.data.FirmwareVersion @@ -220,33 +221,35 @@ class Managers(Base): # Hopefully this kind of discrepencies will be fixed with Redfish 1.0 (August) return self.data.FirmwareVersion + class ManagersCollection(BaseCollection): - """Class to manage redfish ManagersCollection data.""" + '''Class to manage redfish ManagersCollection data.''' def __init__(self, url, connection_parameters): - """Class constructor""" + '''Class constructor''' super(ManagersCollection, self).__init__(url, connection_parameters) self.managers_list = [] for link in self.links: self.managers_list.append(Managers(link, connection_parameters)) + class Systems(Base): - """Class to manage redfish Systems data.""" + '''Class to manage redfish Systems data.''' # TODO : Need to discuss with Bruno the required method. # Also to check with the ironic driver requirement. def __init__(self, url, connection_parameters): - """Class constructor""" + '''Class constructor''' super(Systems, self).__init__(url, connection_parameters) try: - self.bios = Bios(url + "Bios/Settings", connection_parameters) + self.bios = Bios(url + 'Bios/Settings', connection_parameters) except: pass def reset_system(self): - """Force reset of the system. + '''Force reset of the system. :returns: string -- http response of POST request - """ + ''' # Craft the request action = dict() action['Action'] = 'Reset' @@ -262,11 +265,11 @@ class Systems(Base): return response def get_bios_version(self): - """Get bios version of the system. + '''Get bios version of the system. :returns: string -- bios version - """ + ''' try: # Returned by proliant return self.data.Bios.Current.VersionString @@ -276,37 +279,37 @@ class Systems(Base): return self.data.BiosVersion def get_serial_number(self): - """Get serial number of the system. + '''Get serial number of the system. :returns: string -- serial number - """ + ''' try: # Returned by proliant return self.data.SerialNumber except: # Returned by mockup. # Hopefully this kind of discrepencies will be fixed with Redfish 1.0 (August) - return "" + return '' def get_power(self): - """Get power status of the system. + '''Get power status of the system. :returns: string -- power status or NULL if there is an issue - """ + ''' try: return self.data.Power except: - return "" + return '' def set_parameter_json(self, value): - """Generic function to set any system parameter using json structure + '''Generic function to set any system parameter using json structure :param value: json structure with value to update :returns: string -- http response of PATCH request - """ + ''' # perform the POST action #print self.api_url.url() response = requests.patch(self.api_url.url(), @@ -316,30 +319,31 @@ class Systems(Base): return response.reason def set_boot_source_override(self, target, enabled): - """Shotcut function to set boot source + '''Shotcut function to set boot source :param target: new boot source. Supported values: - "None", - "Pxe", - "Floppy", - "Cd", - "Usb", - "Hdd", - "BiosSetup", - "Utilities", - "Diags", - "UefiShell", - "UefiTarget" + 'None', + 'Pxe', + 'Floppy', + 'Cd', + 'Usb', + 'Hdd', + 'BiosSetup', + 'Utilities', + 'Diags', + 'UefiShell', + 'UefiTarget' :param enabled: Supported values: - "Disabled", - "Once", - "Continuous" + 'Disabled', + 'Once', + 'Continuous' :returns: string -- http response of PATCH request - """ - return self.set_parameter_json('{"Boot": {"BootSourceOverrideTarget": "'+target+'"},{"BootSourceOverrideEnabled" : "'+enabled+'"}}') + ''' + return self.set_parameter_json('{'Boot': {'BootSourceOverrideTarget': ''+target+''},{'BootSourceOverrideEnabled' : ''+enabled+''}}') + class SystemsCollection(BaseCollection): - """Class to manage redfish ManagersCollection data.""" + '''Class to manage redfish ManagersCollection data.''' def __init__(self, url, connection_parameters): super(SystemsCollection, self).__init__(url, connection_parameters) @@ -348,19 +352,22 @@ class SystemsCollection(BaseCollection): for link in self.links: self.systems_list.append(Systems(link, connection_parameters)) + class Bios(Base): - """Class to manage redfish Bios data.""" + '''Class to manage redfish Bios data.''' def __init__(self, url, connection_parameters): super(Bios, self).__init__(url, connection_parameters) - self.boot = Boot(re.findall(".+/Bios",url)[0]+"/Boot/Settings", connection_parameters) + self.boot = Boot(re.findall('.+/Bios',url)[0]+'/Boot/Settings', connection_parameters) + class Boot(Base): - """Class to manage redfish Boot data.""" + '''Class to manage redfish Boot data.''' def __init__(self, url, connection_parameters): super(Boot, self).__init__(url, connection_parameters) + class EthernetInterfacesCollection(BaseCollection): - """Class to manage redfish EthernetInterfacesColkection data.""" + '''Class to manage redfish EthernetInterfacesColkection data.''' def __init__(self, url, connection_parameters): super(EthernetInterfacesCollection, self).__init__(url, connection_parameters) @@ -372,6 +379,7 @@ class EthernetInterfacesCollection(BaseCollection): for link in self.links: self.ethernet_interfaces_list.append(EthernetInterfaces(link, connection_parameters)) + class EthernetInterfaces(Base): - """Class to manage redfish EthernetInterfaces data.""" + '''Class to manage redfish EthernetInterfaces data.''' pass From 6c4bb1480a73cfc1ad9b1fd5dc88b1742a9718df Mon Sep 17 00:00:00 2001 From: Uggla Date: Sun, 3 Jan 2016 00:15:08 +0100 Subject: [PATCH 15/24] Work on types.py - Change ManagersCollection to not report a list by a dict. The managers_dict will contain index --> manager object, index is the redfish index as reported inside url - Notice that Proliant firmware now uses EthernetInterfaces as specified by Redfish - Bug to be reported : /redfish/v1/Managers/1/EthernetInterfaces/1 returns invalid content (not json) - Revert some changes on " to ' as it can break json data. Example : return self.set_parameter_json('{"Boot": {"BootSourceOverrideTarget": "'+target+'"},{"BootSourceOverrideEnabled" : "'+enabled+'"}}') --- redfish-client/redfish-client.py | 5 ++- redfish/types.py | 60 +++++++++++++++++--------------- 2 files changed, 35 insertions(+), 30 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index 9f4a51a..ab99f1b 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -249,7 +249,10 @@ if __name__ == '__main__': sys.stderr.write(str(e.advices)) sys.exit(1) - print ('Redfish API version : %s \n' % remote_mgmt.get_api_version()) + print('Redfish API version : %s \n' % remote_mgmt.get_api_version()) + print('Managers information :\n') + + # Main program redfishclient_version = "redfish-client 0.1" diff --git a/redfish/types.py b/redfish/types.py index c8eaff9..9aa52d7 100644 --- a/redfish/types.py +++ b/redfish/types.py @@ -193,17 +193,18 @@ class Managers(Base): def __init__(self, url, connection_parameters): super(Managers, self).__init__(url, connection_parameters) try: - -# self.ethernet_interfaces_collection = EthernetInterfacesCollection( -# self.get_link_url('EthernetInterfaces'), -# connection_parameters -# ) - - # Works on proliant, need to treat 095 vs 0.96 differences + # New proliant firmware now respects Redfish v1.00, so seems to correct below statement + # TODO : better handle exception and if possible support old firmware ? self.ethernet_interfaces_collection = EthernetInterfacesCollection( - self.get_link_url('EthernetNICs'), + self.get_link_url('EthernetInterfaces'), connection_parameters ) + + # Works on proliant, need to treat 095 vs 0.96 differences + #self.ethernet_interfaces_collection = EthernetInterfacesCollection( + # self.get_link_url('EthernetNICs'), + # connection_parameters + # ) except: pass @@ -227,9 +228,10 @@ class ManagersCollection(BaseCollection): def __init__(self, url, connection_parameters): '''Class constructor''' super(ManagersCollection, self).__init__(url, connection_parameters) - self.managers_list = [] + self.managers_dict = {} for link in self.links: - self.managers_list.append(Managers(link, connection_parameters)) + index = re.search(r'Managers/(\w+)', link) + self.managers_dict[index.group(1)] = Managers(link, connection_parameters) class Systems(Base): @@ -322,28 +324,28 @@ class Systems(Base): '''Shotcut function to set boot source :param target: new boot source. Supported values: - 'None', - 'Pxe', - 'Floppy', - 'Cd', - 'Usb', - 'Hdd', - 'BiosSetup', - 'Utilities', - 'Diags', - 'UefiShell', - 'UefiTarget' + "None", + "Pxe", + "Floppy", + "Cd", + "Usb", + "Hdd", + "BiosSetup", + "Utilities", + "Diags", + "UefiShell", + "UefiTarget" :param enabled: Supported values: - 'Disabled', - 'Once', - 'Continuous' + "Disabled", + "Once", + "Continuous" :returns: string -- http response of PATCH request ''' - return self.set_parameter_json('{'Boot': {'BootSourceOverrideTarget': ''+target+''},{'BootSourceOverrideEnabled' : ''+enabled+''}}') + return self.set_parameter_json('{"Boot": {"BootSourceOverrideTarget": "'+target+'"},{"BootSourceOverrideEnabled" : "'+enabled+'"}}') class SystemsCollection(BaseCollection): - '''Class to manage redfish ManagersCollection data.''' + '''Class to manage redfish SystemsCollection data.''' def __init__(self, url, connection_parameters): super(SystemsCollection, self).__init__(url, connection_parameters) @@ -357,7 +359,7 @@ class Bios(Base): '''Class to manage redfish Bios data.''' def __init__(self, url, connection_parameters): super(Bios, self).__init__(url, connection_parameters) - self.boot = Boot(re.findall('.+/Bios',url)[0]+'/Boot/Settings', connection_parameters) + self.boot = Boot(re.findall('.+/Bios', url)[0] + '/Boot/Settings', connection_parameters) class Boot(Base): @@ -373,8 +375,8 @@ class EthernetInterfacesCollection(BaseCollection): self.ethernet_interfaces_list = [] - # Url returned by the mock up is wrong /redfish/v1/Managers/EthernetInterfaces/1 returns a 404. - # The correct one should be /redfish/v1/Managers/1/EthernetInterfaces/1 + # Url returned by the mock up is wrong /redfish/v1/Managers/EthernetInterfaces/1 returns a 404. --> this is not true anymore (2016/01/03) + # The correct one should be /redfish/v1/Managers/1/EthernetInterfaces/1 --> correct by mockup return invalid content (not json) # Check more than 1 hour for this bug.... grrr.... for link in self.links: self.ethernet_interfaces_list.append(EthernetInterfaces(link, connection_parameters)) From 4b2b4ad5c6b7deaba017fe5a43c889f1c43a7c68 Mon Sep 17 00:00:00 2001 From: Uggla Date: Sun, 3 Jan 2016 19:58:46 +0100 Subject: [PATCH 16/24] Retrieve first part of manager data. - Update type.py with new manager functions and manage exceptions. - Retrieve some basic manager data from client getinfo. --- redfish-client/redfish-client.py | 18 ++++++++-- redfish/types.py | 58 ++++++++++++++++++++++++++++---- 2 files changed, 66 insertions(+), 10 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index ab99f1b..7529ba0 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -233,7 +233,7 @@ if __name__ == '__main__': simulator = False enforceSSL = True try: - print 'Gathering data from manager, please wait...' + print('Gathering data from manager, please wait...\n') # TODO : Add a rotating star showing program is running ? # Could be a nice exercice for learning python. :) logger.info('Gathering data from manager') @@ -249,8 +249,20 @@ if __name__ == '__main__': sys.stderr.write(str(e.advices)) sys.exit(1) - print('Redfish API version : %s \n' % remote_mgmt.get_api_version()) - print('Managers information :\n') + # Display manager information + # TODO : Use a templating system + print('Redfish API version : %s' % remote_mgmt.get_api_version()) + print(remote_mgmt.Root.get_name()) + print('\n') + print('Managers information :') + print('----------------------') + for manager_index in sorted(remote_mgmt.Managers.managers_dict): + manager = remote_mgmt.Managers.managers_dict[manager_index] + print('\nManager id {} :').format(manager_index) + print('UUID : {}').format(manager.get_uuid()) + print('Type : {}').format(manager.get_type()) + print('Firmware version : {}').format(manager.get_firmware_version()) + print('State : {}').format(manager.get_status()) diff --git a/redfish/types.py b/redfish/types.py index 9aa52d7..c8caca4 100644 --- a/redfish/types.py +++ b/redfish/types.py @@ -181,6 +181,17 @@ class Root(Base): ''' return getattr(self.root.Links.Systems, '@odata.id') + + def get_name(self): + '''Get root name + + :returns: string -- root name or "Not available" + + ''' + try: + return self.data.Name + except AttributeError: + return "Not available" class SessionService(Base): @@ -209,18 +220,51 @@ class Managers(Base): pass def get_firmware_version(self): - '''Get bios version of the system. + '''Get firmware version of the manager - :returns: string -- bios version + :returns: string -- bios version or "Not available" ''' try: - # Returned by proliant - return self.data.FirmwareVersion - except: - # Returned by mockup. - # Hopefully this kind of discrepencies will be fixed with Redfish 1.0 (August) return self.data.FirmwareVersion + except AttributeError: + # We are here because the attribute could be not defined. + # This is the case with the mockup for manager 2 and 3 + return "Not available" + + def get_type(self): + '''Get manager type + + :returns: string -- manager type or "Not available" + + ''' + try: + return self.data.ManagerType + except AttributeError: + return "Not available" + + def get_uuid(self): + '''Get manager type + + :returns: string -- manager uuid or "Not available" + + ''' + try: + return self.data.UUID + except AttributeError: + return "Not available" + + def get_status(self): + '''Get manager status + + :returns: string -- manager status or "Not available" + + ''' + try: + return self.data.Status.State + except AttributeError: + return "Not available" + class ManagersCollection(BaseCollection): From 3eed4813f0fcca72819eed9d5328a62961414241 Mon Sep 17 00:00:00 2001 From: Uggla Date: Sun, 3 Jan 2016 22:59:47 +0100 Subject: [PATCH 17/24] Fix duplicate logs. - Specify a name for the logger as recommended by the logging documentation. However for strange reason requests logs are not anymore capture in the log file. This needs to be reviewed. --- redfish-client/redfish-client.py | 1 - redfish/config.py | 2 +- redfish/main.py | 7 ++++++- 3 files changed, 7 insertions(+), 3 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index 7529ba0..7110e1d 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -303,7 +303,6 @@ if __name__ == '__main__': loglevel['tortilla'] = True # Initialize logger according to command line parameters - logger = None logger = redfish.config.initialize_logger(arguments['--debugfile'], loglevel['console_logger_level'], loglevel['file_logger_level'], diff --git a/redfish/config.py b/redfish/config.py index 949251b..0799aeb 100644 --- a/redfish/config.py +++ b/redfish/config.py @@ -15,7 +15,7 @@ FILE_LOGGER_LEVEL = logging.DEBUG def initialize_logger(REDFISH_LOGFILE, CONSOLE_LOGGER_LEVEL, FILE_LOGGER_LEVEL, - logger_name=""): + logger_name=None): '''Initialize a global logger to track application behaviour :param redfish_logfile: Log filename diff --git a/redfish/main.py b/redfish/main.py index e3435e3..838554b 100644 --- a/redfish/main.py +++ b/redfish/main.py @@ -160,9 +160,14 @@ class RedfishConnection(object): verify_cert=True ): """Initialize a connection to a Redfish service.""" + # Specify a name for the logger as recommended by the logging + # documentation. However for strange reason requests logs are not + # anymore capture in the log file. + # TODO : Check strange behavior about requests logs. config.logger = config.initialize_logger(config.REDFISH_LOGFILE, config.CONSOLE_LOGGER_LEVEL, - config.FILE_LOGGER_LEVEL) + config.FILE_LOGGER_LEVEL, + __name__) config.logger.info("Initialize python-redfish") From 301790c32c2681c395be2267817273ac9e152323 Mon Sep 17 00:00:00 2001 From: Uggla Date: Sun, 3 Jan 2016 23:33:40 +0100 Subject: [PATCH 18/24] Work on EthernetInterfaces within types.py - Change EthernetInterfacesCollection to not report a list but a dict. This change will be the same on *Collection. - Factorise get_name function from Root to Base class as Name parameter seems defined for all kind of Redfish objects. - Report first EthernetInterfaces data in redfish-client as an example --> need to be elaborated --- redfish-client/redfish-client.py | 10 +++++++++ redfish/types.py | 38 ++++++++++++++++++-------------- 2 files changed, 32 insertions(+), 16 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index 7110e1d..edfaa15 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -263,6 +263,16 @@ if __name__ == '__main__': print('Type : {}').format(manager.get_type()) print('Firmware version : {}').format(manager.get_firmware_version()) print('State : {}').format(manager.get_status()) + print('Ethernet interfaces :') + try : + for ethernetinterface_index in sorted(manager.ethernet_interfaces_collection.ethernet_interfaces_dict): + ei = manager.ethernet_interfaces_collection.ethernet_interfaces_dict[ethernetinterface_index] + print('\nEthernet Interface id {} :').format(ethernetinterface_index) + print(ei.get_name()) + print(ei.get_parameter('FQDN')) + except AttributeError: + # We don't have ethernet interfaces + pass diff --git a/redfish/types.py b/redfish/types.py index c8caca4..bcf025f 100644 --- a/redfish/types.py +++ b/redfish/types.py @@ -122,6 +122,17 @@ class Base(object): headers={'x-auth-token': self.connection_parameters.auth_token}, data=action) return response + + def get_name(self): + '''Get root name + + :returns: string -- root name or "Not available" + + ''' + try: + return self.data.Name + except AttributeError: + return "Not available" class BaseCollection(Base): @@ -180,18 +191,7 @@ class Root(Base): :returns: string -- path ''' - return getattr(self.root.Links.Systems, '@odata.id') - - def get_name(self): - '''Get root name - - :returns: string -- root name or "Not available" - - ''' - try: - return self.data.Name - except AttributeError: - return "Not available" + return getattr(self.root.Links.Systems, '@odata.id') class SessionService(Base): @@ -216,7 +216,12 @@ class Managers(Base): # self.get_link_url('EthernetNICs'), # connection_parameters # ) - except: + except exception.InvalidRedfishContentException: + # This is to avoid invalid content from the mockup + pass + + except AttributeError: + # This means we don't have EthernetInterfaces pass def get_firmware_version(self): @@ -417,15 +422,16 @@ class EthernetInterfacesCollection(BaseCollection): def __init__(self, url, connection_parameters): super(EthernetInterfacesCollection, self).__init__(url, connection_parameters) - self.ethernet_interfaces_list = [] + self.ethernet_interfaces_dict = {} # Url returned by the mock up is wrong /redfish/v1/Managers/EthernetInterfaces/1 returns a 404. --> this is not true anymore (2016/01/03) # The correct one should be /redfish/v1/Managers/1/EthernetInterfaces/1 --> correct by mockup return invalid content (not json) # Check more than 1 hour for this bug.... grrr.... for link in self.links: - self.ethernet_interfaces_list.append(EthernetInterfaces(link, connection_parameters)) + index = re.search(r'EthernetInterfaces/(\w+)', link) + self.ethernet_interfaces_dict[index.group(1)] = EthernetInterfaces(link, connection_parameters) class EthernetInterfaces(Base): - '''Class to manage redfish EthernetInterfaces data.''' + '''Class to manage redfish EthernetInterfaces.''' pass From 7b43449a84130d2d91304a19e3d0f256ad0c1ef8 Mon Sep 17 00:00:00 2001 From: Uggla Date: Mon, 4 Jan 2016 23:22:14 +0100 Subject: [PATCH 19/24] Add a couple of new functions to EthernetInterfaces - This is a WIP. --- redfish/types.py | 36 +++++++++++++++++++++++++++++++++++- 1 file changed, 35 insertions(+), 1 deletion(-) diff --git a/redfish/types.py b/redfish/types.py index bcf025f..2b064b7 100644 --- a/redfish/types.py +++ b/redfish/types.py @@ -434,4 +434,38 @@ class EthernetInterfacesCollection(BaseCollection): class EthernetInterfaces(Base): '''Class to manage redfish EthernetInterfaces.''' - pass + def get_mac(self): + '''Get EthernetInterface MacAddress + + :returns: string -- interface macaddress or "Not available" + + ''' + try: + return self.data.MacAddress + except AttributeError: + return "Not available" + + def get_fqdn(self): + '''Get EthernetInterface fqdn + + :returns: string -- interface fqdn or "Not available" + + ''' + try: + return self.data.FQDN + except AttributeError: + return "Not available" + +#=============================================================================== +# def get_ipv4(self): +# '''Get EthernetInterface ipv4 address +# +# :returns: list -- interface ip addresses or "Not available" +# +# ''' +# try: +# return self.data.IPv4Addresses +# except AttributeError: +# return "Not available" +#=============================================================================== + From 59a3e11c1b891c9f582bd7cecdafaa32b61cda31 Mon Sep 17 00:00:00 2001 From: Uggla Date: Sat, 9 Jan 2016 19:03:33 +0100 Subject: [PATCH 20/24] Finalise new EthernetInterfaces functions - Add get_mac, get_fqdn, get_ipv4, get_ipv6. --- redfish/types.py | 48 ++++++++++++++++++++++++++++++++++++------------ 1 file changed, 36 insertions(+), 12 deletions(-) diff --git a/redfish/types.py b/redfish/types.py index 2b064b7..a4075e6 100644 --- a/redfish/types.py +++ b/redfish/types.py @@ -456,16 +456,40 @@ class EthernetInterfaces(Base): except AttributeError: return "Not available" -#=============================================================================== -# def get_ipv4(self): -# '''Get EthernetInterface ipv4 address -# -# :returns: list -- interface ip addresses or "Not available" -# -# ''' -# try: -# return self.data.IPv4Addresses -# except AttributeError: -# return "Not available" -#=============================================================================== + + def get_ipv4(self): + '''Get EthernetInterface ipv4 address + + :returns: list -- interface ip addresses or "Not available" + + ''' + + ipaddresses = [] + + try: + for ip_settings in self.data.IPv4Addresses: + address = ip_settings['Address'] + ipaddresses.append(address) + + return ipaddresses + except AttributeError: + return "Not available" + + def get_ipv6(self): + '''Get EthernetInterface ipv6 address + + :returns: list -- interface ip addresses or "Not available" + + ''' + + ipaddresses = [] + + try: + for ip_settings in self.data.IPv6Addresses: + address = ip_settings['Address'] + ipaddresses.append(address) + + return ipaddresses + except AttributeError: + return "Not available" From 6ffbd4aec8708611696ce1c4160f41e9174cefbc Mon Sep 17 00:00:00 2001 From: Uggla Date: Sat, 9 Jan 2016 19:07:51 +0100 Subject: [PATCH 21/24] Add manager functions - Add function get_managed_chassis. - Add function get_managed_systems. - Modiy mapping to handle proliant fw 2.40 bugs reporting : - links instead of Links. - href instead of @odata.id. - I'll report this bug to redfish folks. - Various PEP8 cleans. --- redfish-client/redfish-client.py | 4 +++ redfish/main.py | 7 ++-- redfish/mapping.py | 55 ++++++++++++++++++++++---------- redfish/types.py | 34 +++++++++++++++++++- 4 files changed, 79 insertions(+), 21 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index edfaa15..af2530f 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -263,6 +263,8 @@ if __name__ == '__main__': print('Type : {}').format(manager.get_type()) print('Firmware version : {}').format(manager.get_firmware_version()) print('State : {}').format(manager.get_status()) + print manager.get_managed_chassis() + print manager.get_managed_systems() print('Ethernet interfaces :') try : for ethernetinterface_index in sorted(manager.ethernet_interfaces_collection.ethernet_interfaces_dict): @@ -270,6 +272,8 @@ if __name__ == '__main__': print('\nEthernet Interface id {} :').format(ethernetinterface_index) print(ei.get_name()) print(ei.get_parameter('FQDN')) + print ei.get_ipv4() + print ei.get_ipv6() except AttributeError: # We don't have ethernet interfaces pass diff --git a/redfish/main.py b/redfish/main.py index 838554b..3a28cf0 100644 --- a/redfish/main.py +++ b/redfish/main.py @@ -209,9 +209,10 @@ class RedfishConnection(object): config.logger.info("API Version : %s", self.get_api_version()) mapping.redfish_version = self.get_api_version() + mapping.redfish_root_name = self.Root.get_name() - # Instanciate a global mapping object to handle Redfish version variation - mapping.redfish_mapper = mapping.RedfishVersionMapping(self.get_api_version()) + # Instantiate a global mapping object to handle Redfish version variation + mapping.redfish_mapper = mapping.RedfishVersionMapping(self.get_api_version(), self.Root.get_name()) # Now we need to login otherwise we are not allowed to extract data if self.__simulator is False: @@ -225,7 +226,7 @@ class RedfishConnection(object): - # Struture change with mockup 1.0.0, there is no links + # Structure change with mockup 1.0.0, there is no links # section anymore. # =================================================================== # TODO : Add a switch to allow the both structure diff --git a/redfish/mapping.py b/redfish/mapping.py index 309e23a..f999cd2 100644 --- a/redfish/mapping.py +++ b/redfish/mapping.py @@ -2,30 +2,51 @@ redfish_mapper = None redfish_version = None +redfish_root_name = None class RedfishVersionMapping(object): - """Implements basic url path mapping beetween Redfish versions.""" + '''Implements basic url path mapping beetween Redfish versions.''' - def __init__(self, version): + def __init__(self, version, rootname): self.__version = version + self.__rootname = rootname def map_sessionservice(self): - if self.__version == "0.95": - return "Sessions" - return("SessionService") - + if self.__version == '0.95': + return 'Sessions' + return 'SessionService' - def map_links(self): - if self.__version == "0.95": - return "links" - return("Links") + def map_links(self, data_dict=None): + if data_dict == None: + if self.__version == '0.95': + return 'links' + else: + # Checking if we have Links or links. + # This is to deal with proliant firmware 2.40 bug that reports + # incorrectly links instead of Links (Redfish standard) + try: + data_dict.links + return 'links' + except AttributeError: + pass + return 'Links' - def map_links_ref(self): - if self.__version == "0.95": - return "href" - return("@odata.id") + def map_links_ref(self, data_dict=None): + if data_dict == None: + if self.__version == '0.95': + return 'href' + else: + # Checking if we have @odata.id or href. + # This is to deal with proliant firmware 2.40 bug that reports + # incorrectly href instead of @odata.id (Redfish standard) + try: + data_dict.href + return 'href' + except AttributeError: + pass + return '@odata.id' def map_members(self): - if self.__version == "0.95": - return "Member" - return("Members") \ No newline at end of file + if self.__version == '0.95': + return 'Member' + return 'Members' \ No newline at end of file diff --git a/redfish/types.py b/redfish/types.py index a4075e6..3a5bac1 100644 --- a/redfish/types.py +++ b/redfish/types.py @@ -270,7 +270,39 @@ class Managers(Base): except AttributeError: return "Not available" + def get_managed_chassis(self): + '''Get managed chassis ids by the manager + :returns: list -- chassis ids or "Not available" + + ''' + chassis_list = [] + links = getattr(self.data, mapping.redfish_mapper.map_links(self.data)) + + try: + for chassis in links.ManagerForChassis: + result = re.search(r'Chassis/(\w+)', chassis[mapping.redfish_mapper.map_links_ref(chassis)]) + chassis_list.append(result.group(1)) + return chassis_list + except AttributeError: + return "Not available" + + def get_managed_systems(self): + '''Get managed systems ids by the manager + + :returns: list -- chassis ids or "Not available" + + ''' + systems_list = [] + links = getattr(self.data, mapping.redfish_mapper.map_links(self.data)) + + try: + for systems in links.ManagerForServers: + result = re.search(r'Systems/(\w+)', systems[mapping.redfish_mapper.map_links_ref(systems)]) + systems_list.append(result.group(1)) + return systems_list + except AttributeError: + return "Not available" class ManagersCollection(BaseCollection): '''Class to manage redfish ManagersCollection data.''' @@ -313,7 +345,7 @@ class Systems(Base): data=action ) #TODO : treat response. - return response + return response def get_bios_version(self): '''Get bios version of the system. From 173e7798cfdd76dde239fe37bbf68893d95b28a7 Mon Sep 17 00:00:00 2001 From: Uggla Date: Thu, 14 Jan 2016 00:33:53 +0100 Subject: [PATCH 22/24] Use Jinja2 template system to display manager info - Use templating system, so user will be able to customize output. - This could be use later to propose output in various format (html, xml, json). - Undefined EthernetInterfacesCollection in case of failure. So it allows to test definition in the template or elsewhere. --- redfish-client/redfish-client.py | 38 +++++-------------- redfish-client/templates/bla.templates | 32 ++++++++++++++++ .../templates/manager_info.template | 31 +++++++++++++++ redfish/types.py | 5 ++- requirements.txt | 1 + 5 files changed, 76 insertions(+), 31 deletions(-) create mode 100644 redfish-client/templates/bla.templates create mode 100644 redfish-client/templates/manager_info.template diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index af2530f..c401e23 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -39,6 +39,7 @@ import docopt import logging import redfish import requests.packages.urllib3 +import jinja2 class ConfigFile(object): @@ -249,35 +250,9 @@ if __name__ == '__main__': sys.stderr.write(str(e.advices)) sys.exit(1) - # Display manager information - # TODO : Use a templating system - print('Redfish API version : %s' % remote_mgmt.get_api_version()) - print(remote_mgmt.Root.get_name()) - print('\n') - print('Managers information :') - print('----------------------') - for manager_index in sorted(remote_mgmt.Managers.managers_dict): - manager = remote_mgmt.Managers.managers_dict[manager_index] - print('\nManager id {} :').format(manager_index) - print('UUID : {}').format(manager.get_uuid()) - print('Type : {}').format(manager.get_type()) - print('Firmware version : {}').format(manager.get_firmware_version()) - print('State : {}').format(manager.get_status()) - print manager.get_managed_chassis() - print manager.get_managed_systems() - print('Ethernet interfaces :') - try : - for ethernetinterface_index in sorted(manager.ethernet_interfaces_collection.ethernet_interfaces_dict): - ei = manager.ethernet_interfaces_collection.ethernet_interfaces_dict[ethernetinterface_index] - print('\nEthernet Interface id {} :').format(ethernetinterface_index) - print(ei.get_name()) - print(ei.get_parameter('FQDN')) - print ei.get_ipv4() - print ei.get_ipv6() - except AttributeError: - # We don't have ethernet interfaces - pass - + # Display manager information using jinja2 template + template = jinja2_env.get_template("manager_info.template") + print template.render(r=remote_mgmt) # Main program @@ -348,6 +323,11 @@ if __name__ == '__main__': arguments['--conf_file'] = arguments['--conf_file'].replace('~', HOME) conf_file = ConfigFile(arguments['--conf_file']) + + # Initialize Template system (jinja2) + # TODO : set the template file location into cmd line default to /usr/share/python-redfish/templates ? + logger.debug("Initialize template system") + jinja2_env = jinja2.Environment(loader=jinja2.FileSystemLoader("templates")) if arguments['config'] is True: logger.debug("Config commands") diff --git a/redfish-client/templates/bla.templates b/redfish-client/templates/bla.templates new file mode 100644 index 0000000..23b6b61 --- /dev/null +++ b/redfish-client/templates/bla.templates @@ -0,0 +1,32 @@ + #======================================================================= + # print('Redfish API version : %s' % remote_mgmt.get_api_version()) + # print(remote_mgmt.Root.get_name()) + # print('\n') + # print('Managers information :') + # print('----------------------') + # for manager_index in sorted(remote_mgmt.Managers.managers_dict): + # manager = remote_mgmt.Managers.managers_dict[manager_index] + # print('\nManager id {} :').format(manager_index) + # print('UUID : {}').format(manager.get_uuid()) + # print('Type : {}').format(manager.get_type()) + # print('Firmware version : {}').format(manager.get_firmware_version()) + # print('State : {}').format(manager.get_status()) + # print manager.get_managed_chassis() + # print manager.get_managed_systems() + # print('Ethernet interfaces :') + # try : + # for ethernetinterface_index in sorted(manager.ethernet_interfaces_collection.ethernet_interfaces_dict): + # ei = manager.ethernet_interfaces_collection.ethernet_interfaces_dict[ethernetinterface_index] + # print('\nEthernet Interface id {} :').format(ethernetinterface_index) + # print(ei.get_name()) + # print(ei.get_parameter('FQDN')) + # print ei.get_ipv4() + # print ei.get_ipv6() + # except AttributeError: + # # We don't have ethernet interfaces + # pass + #======================================================================= + + +Redfish API version : remote_mgmt.get_api_version() +remote_mgmt.Root.get_name() \ No newline at end of file diff --git a/redfish-client/templates/manager_info.template b/redfish-client/templates/manager_info.template new file mode 100644 index 0000000..71961ba --- /dev/null +++ b/redfish-client/templates/manager_info.template @@ -0,0 +1,31 @@ +Redfish API version : {{ r.get_api_version() }} +{{ r.Root.get_name() }} + +Managers information : +====================== +{% for manager_index in r.Managers.managers_dict | sort %} +{%- set manager = r.Managers.managers_dict[manager_index] %} +Manager id {{ manager_index }}: +UUID : {{ manager.get_uuid() }} +Type : {{ manager.get_type() }} +Firmware version : {{ manager.get_firmware_version() }} +State : {{ manager.get_status() }} +Ethernet Interface : +{%- if manager.ethernet_interfaces_collection %} +{%- for ethernetinterface_index in manager.ethernet_interfaces_collection.ethernet_interfaces_dict | sort %} +{%- set ei = manager.ethernet_interfaces_collection.ethernet_interfaces_dict[ethernetinterface_index] %} + Ethernet Interface id {{ ethernetinterface_index }} : + {{ ei.get_name() }} + FQDN : {{ ei.get_fqdn() }} + Address ipv4 : {{ ei.get_ipv4() | join(', ') }} + Address ipv6 : {{ ei.get_ipv6() | join(', ') }} +{%- endfor %} +{%- else %} + This manager has no ethernet interface +{%- endif %} +Managed Chassis : + {{ manager.get_managed_chassis() | join(', ') }} +Managed System : + {{ manager.get_managed_systems() | join(', ') }} +---------------------------- +{% endfor %} \ No newline at end of file diff --git a/redfish/types.py b/redfish/types.py index 3a5bac1..fd6f5f0 100644 --- a/redfish/types.py +++ b/redfish/types.py @@ -218,11 +218,12 @@ class Managers(Base): # ) except exception.InvalidRedfishContentException: # This is to avoid invalid content from the mockup - pass + self.ethernet_interfaces_collection = None except AttributeError: # This means we don't have EthernetInterfaces - pass + self.ethernet_interfaces_collection = None + def get_firmware_version(self): '''Get firmware version of the manager diff --git a/requirements.txt b/requirements.txt index 8a4779b..01b840b 100644 --- a/requirements.txt +++ b/requirements.txt @@ -6,3 +6,4 @@ pbr>=0.6,!=0.7,<1.0 #oslo.log>=1.0,<2.0 Babel>=1.3 tortilla>=0.4.1 +Jinja2>=2.7.3 From 7653fb597d32c056dbfb0ec7d1a602ff882fec13 Mon Sep 17 00:00:00 2001 From: Uggla Date: Mon, 18 Jan 2016 10:44:54 +0100 Subject: [PATCH 23/24] Redfish client fixes. - Fix for empty login or password entry. - Remove pprint because it prints stuff to the console even in no debug mode. --- redfish-client/redfish-client.py | 16 +++++++++------- 1 file changed, 9 insertions(+), 7 deletions(-) diff --git a/redfish-client/redfish-client.py b/redfish-client/redfish-client.py index c401e23..5d011c1 100755 --- a/redfish-client/redfish-client.py +++ b/redfish-client/redfish-client.py @@ -109,10 +109,12 @@ class ConfigFile(object): self.data['Managers'][manager_name] = {} self.data['Managers'][manager_name]['url'] = url - if login is not None: - self.data['Managers'][manager_name]['login'] = login - if password is not None: - self.data['Managers'][manager_name]['password'] = password + if login is None: + login = '' + if password is None: + password = '' + self.data['Managers'][manager_name]['login'] = login + self.data['Managers'][manager_name]['password'] = password def modify_manager(self, manager_name, parameter, parameter_value): '''Modify the manager settings @@ -343,12 +345,12 @@ if __name__ == '__main__': arguments[''], arguments[''], arguments['']) - logger.debug(pprint.pprint(conf_file.data)) + logger.debug(conf_file.data) conf_file.save() elif arguments['del'] is True: logger.debug('del command') conf_file.delete_manager(arguments['']) - logger.debug(pprint.pprint(conf_file.data)) + logger.debug(conf_file.data) conf_file.save() elif arguments['modify'] is True: logger.debug('modify command') @@ -368,7 +370,7 @@ if __name__ == '__main__': conf_file.modify_manager(arguments[''], 'manager_name', arguments['']) - logger.debug(pprint.pprint(conf_file.data)) + logger.debug(conf_file.data) conf_file.save() if arguments['manager'] is True: logger.debug("Manager commands") From 8697fc3907df261722a98654fd1e84609f2266e7 Mon Sep 17 00:00:00 2001 From: Uggla Date: Mon, 18 Jan 2016 10:58:26 +0100 Subject: [PATCH 24/24] Fix dmtf container - Remove apache pid file. So it allows to restart the mockup after a brutal shutdown of the container. --- dmtf/redfish-setup.sh | 1 + 1 file changed, 1 insertion(+) diff --git a/dmtf/redfish-setup.sh b/dmtf/redfish-setup.sh index 967be07..63a1786 100644 --- a/dmtf/redfish-setup.sh +++ b/dmtf/redfish-setup.sh @@ -1,6 +1,7 @@ #!/bin/bash function start_apache { + [ -f "/run/apache2/apache2.pid" ] && rm "/run/apache2/apache2.pid" echo "Launching apache2 in foreground with /usr/sbin/apache2ctl -DFOREGROUND -k start" /usr/sbin/apache2ctl -DFOREGROUND -k start }