oo_config.py 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420
  1. # pylint: disable=bad-continuation,missing-docstring,no-self-use,invalid-name,too-many-instance-attributes,too-few-public-methods
  2. import os
  3. import sys
  4. import logging
  5. import yaml
  6. from pkg_resources import resource_filename
  7. installer_log = logging.getLogger('installer')
  8. CONFIG_PERSIST_SETTINGS = [
  9. 'ansible_ssh_user',
  10. 'ansible_callback_facts_yaml',
  11. 'ansible_inventory_path',
  12. 'ansible_log_path',
  13. 'deployment',
  14. 'version',
  15. 'variant',
  16. 'variant_subtype',
  17. 'variant_version',
  18. ]
  19. DEPLOYMENT_VARIABLES_BLACKLIST = [
  20. 'hosts',
  21. 'roles',
  22. ]
  23. DEFAULT_REQUIRED_FACTS = ['ip', 'public_ip', 'hostname', 'public_hostname']
  24. PRECONFIGURED_REQUIRED_FACTS = ['hostname', 'public_hostname']
  25. def print_read_config_error(error, path='the configuration file'):
  26. message = """
  27. Error loading config. {}.
  28. See https://docs.openshift.com/enterprise/latest/install_config/install/quick_install.html#defining-an-installation-configuration-file
  29. for information on creating a configuration file or delete {} and re-run the installer.
  30. """
  31. print message.format(error, path)
  32. class OOConfigFileError(Exception):
  33. """The provided config file path can't be read/written
  34. """
  35. pass
  36. class OOConfigInvalidHostError(Exception):
  37. """ Host in config is missing both ip and hostname. """
  38. pass
  39. class Host(object):
  40. """ A system we will or have installed OpenShift on. """
  41. def __init__(self, **kwargs):
  42. self.ip = kwargs.get('ip', None)
  43. self.hostname = kwargs.get('hostname', None)
  44. self.public_ip = kwargs.get('public_ip', None)
  45. self.public_hostname = kwargs.get('public_hostname', None)
  46. self.connect_to = kwargs.get('connect_to', None)
  47. self.preconfigured = kwargs.get('preconfigured', None)
  48. self.schedulable = kwargs.get('schedulable', None)
  49. self.new_host = kwargs.get('new_host', None)
  50. self.containerized = kwargs.get('containerized', False)
  51. self.node_labels = kwargs.get('node_labels', '')
  52. # allowable roles: master, node, etcd, storage, master_lb, new
  53. self.roles = kwargs.get('roles', [])
  54. self.other_variables = kwargs.get('other_variables', {})
  55. if self.connect_to is None:
  56. raise OOConfigInvalidHostError(
  57. "You must specify either an ip or hostname as 'connect_to'")
  58. def __str__(self):
  59. return self.connect_to
  60. def __repr__(self):
  61. return self.connect_to
  62. def to_dict(self):
  63. """ Used when exporting to yaml. """
  64. d = {}
  65. for prop in ['ip', 'hostname', 'public_ip', 'public_hostname', 'connect_to',
  66. 'preconfigured', 'containerized', 'schedulable', 'roles', 'node_labels',
  67. 'other_variables']:
  68. # If the property is defined (not None or False), export it:
  69. if getattr(self, prop):
  70. d[prop] = getattr(self, prop)
  71. return d
  72. def is_master(self):
  73. return 'master' in self.roles
  74. def is_node(self):
  75. return 'node' in self.roles
  76. def is_master_lb(self):
  77. return 'master_lb' in self.roles
  78. def is_storage(self):
  79. return 'storage' in self.roles
  80. def is_etcd_member(self, all_hosts):
  81. """ Will this host be a member of a standalone etcd cluster. """
  82. if not self.is_master():
  83. return False
  84. masters = [host for host in all_hosts if host.is_master()]
  85. if len(masters) > 1:
  86. return True
  87. return False
  88. def is_dedicated_node(self):
  89. """ Will this host be a dedicated node. (not a master) """
  90. return self.is_node() and not self.is_master()
  91. def is_schedulable_node(self, all_hosts):
  92. """ Will this host be a node marked as schedulable. """
  93. if not self.is_node():
  94. return False
  95. if not self.is_master():
  96. return True
  97. masters = [host for host in all_hosts if host.is_master()]
  98. nodes = [host for host in all_hosts if host.is_node()]
  99. if len(masters) == len(nodes):
  100. return True
  101. return False
  102. class Role(object):
  103. """ A role that will be applied to a host. """
  104. def __init__(self, name, variables):
  105. self.name = name
  106. self.variables = variables
  107. def __str__(self):
  108. return self.name
  109. def __repr__(self):
  110. return self.name
  111. def to_dict(self):
  112. """ Used when exporting to yaml. """
  113. d = {}
  114. for prop in ['name', 'variables']:
  115. # If the property is defined (not None or False), export it:
  116. if getattr(self, prop):
  117. d[prop] = getattr(self, prop)
  118. return d
  119. class Deployment(object):
  120. def __init__(self, **kwargs):
  121. self.hosts = kwargs.get('hosts', [])
  122. self.roles = kwargs.get('roles', {})
  123. self.variables = kwargs.get('variables', {})
  124. class OOConfig(object):
  125. default_dir = os.path.normpath(
  126. os.environ.get('XDG_CONFIG_HOME',
  127. os.environ['HOME'] + '/.config/') + '/openshift/')
  128. default_file = '/installer.cfg.yml'
  129. def __init__(self, config_path):
  130. if config_path:
  131. self.config_path = os.path.normpath(config_path)
  132. else:
  133. self.config_path = os.path.normpath(self.default_dir +
  134. self.default_file)
  135. self.deployment = Deployment(hosts=[], roles={}, variables={})
  136. self.settings = {}
  137. self._read_config()
  138. self._set_defaults()
  139. # pylint: disable=too-many-branches
  140. # Lots of different checks ran in a single method, could
  141. # use a little refactoring-love some time
  142. def _read_config(self):
  143. installer_log.debug("Attempting to read the OO Config")
  144. try:
  145. installer_log.debug("Attempting to see if the provided config file exists: %s", self.config_path)
  146. if os.path.exists(self.config_path):
  147. installer_log.debug("We think the config file exists: %s", self.config_path)
  148. with open(self.config_path, 'r') as cfgfile:
  149. loaded_config = yaml.safe_load(cfgfile.read())
  150. if 'version' not in loaded_config:
  151. print_read_config_error('Legacy configuration file found', self.config_path)
  152. sys.exit(0)
  153. if loaded_config.get('version', '') == 'v1':
  154. loaded_config = self._upgrade_v1_config(loaded_config)
  155. try:
  156. host_list = loaded_config['deployment']['hosts']
  157. role_list = loaded_config['deployment']['roles']
  158. except KeyError as e:
  159. print_read_config_error("No such key: {}".format(e), self.config_path)
  160. print "Error loading config, required key missing: {}".format(e)
  161. sys.exit(0)
  162. for setting in CONFIG_PERSIST_SETTINGS:
  163. persisted_value = loaded_config.get(setting)
  164. if persisted_value is not None:
  165. self.settings[setting] = str(persisted_value)
  166. # We've loaded any persisted configs, let's verify any
  167. # paths which are required for a correct and complete
  168. # install
  169. # - ansible_callback_facts_yaml - Settings from a
  170. # pervious run. If the file doesn't exist then we
  171. # will just warn about it for now and recollect the
  172. # facts.
  173. if self.settings.get('ansible_callback_facts_yaml', None) is not None:
  174. if not os.path.exists(self.settings['ansible_callback_facts_yaml']):
  175. # Cached callback facts file does not exist
  176. installer_log.warning("The specified 'ansible_callback_facts_yaml'"
  177. "file does not exist (%s)",
  178. self.settings['ansible_callback_facts_yaml'])
  179. installer_log.debug("Remote system facts will be collected again later")
  180. self.settings.pop('ansible_callback_facts_yaml')
  181. for setting in loaded_config['deployment']:
  182. try:
  183. if setting not in DEPLOYMENT_VARIABLES_BLACKLIST:
  184. self.deployment.variables[setting] = \
  185. str(loaded_config['deployment'][setting])
  186. except KeyError:
  187. continue
  188. # Parse the hosts into DTO objects:
  189. for host in host_list:
  190. self.deployment.hosts.append(Host(**host))
  191. # Parse the roles into Objects
  192. for name, variables in role_list.iteritems():
  193. self.deployment.roles.update({name: Role(name, variables)})
  194. except IOError, ferr:
  195. raise OOConfigFileError('Cannot open config file "{}": {}'.format(ferr.filename,
  196. ferr.strerror))
  197. except yaml.scanner.ScannerError:
  198. raise OOConfigFileError(
  199. 'Config file "{}" is not a valid YAML document'.format(self.config_path))
  200. installer_log.debug("Parsed the config file")
  201. def _upgrade_v1_config(self, config):
  202. new_config_data = {}
  203. new_config_data['deployment'] = {}
  204. new_config_data['deployment']['hosts'] = []
  205. new_config_data['deployment']['roles'] = {}
  206. new_config_data['deployment']['variables'] = {}
  207. role_list = {}
  208. if config.get('ansible_ssh_user', False):
  209. new_config_data['deployment']['ansible_ssh_user'] = config['ansible_ssh_user']
  210. if config.get('variant', False):
  211. new_config_data['variant'] = config['variant']
  212. if config.get('variant_version', False):
  213. new_config_data['variant_version'] = config['variant_version']
  214. for host in config['hosts']:
  215. host_props = {}
  216. host_props['roles'] = []
  217. host_props['connect_to'] = host['connect_to']
  218. for prop in ['ip', 'public_ip', 'hostname', 'public_hostname', 'containerized', 'preconfigured']:
  219. host_props[prop] = host.get(prop, None)
  220. for role in ['master', 'node', 'master_lb', 'storage', 'etcd']:
  221. if host.get(role, False):
  222. host_props['roles'].append(role)
  223. role_list[role] = ''
  224. new_config_data['deployment']['hosts'].append(host_props)
  225. new_config_data['deployment']['roles'] = role_list
  226. return new_config_data
  227. def _set_defaults(self):
  228. installer_log.debug("Setting defaults, current OOConfig settings: %s", self.settings)
  229. if 'ansible_inventory_directory' not in self.settings:
  230. self.settings['ansible_inventory_directory'] = self._default_ansible_inv_dir()
  231. if not os.path.exists(self.settings['ansible_inventory_directory']):
  232. installer_log.debug("'ansible_inventory_directory' does not exist, "
  233. "creating it now (%s)",
  234. self.settings['ansible_inventory_directory'])
  235. os.makedirs(self.settings['ansible_inventory_directory'])
  236. else:
  237. installer_log.debug("We think this 'ansible_inventory_directory' "
  238. "is OK: %s",
  239. self.settings['ansible_inventory_directory'])
  240. if 'ansible_plugins_directory' not in self.settings:
  241. self.settings['ansible_plugins_directory'] = \
  242. resource_filename(__name__, 'ansible_plugins')
  243. installer_log.debug("We think the ansible plugins directory should be: %s (it is not already set)",
  244. self.settings['ansible_plugins_directory'])
  245. else:
  246. installer_log.debug("The ansible plugins directory is already set: %s",
  247. self.settings['ansible_plugins_directory'])
  248. if 'version' not in self.settings:
  249. self.settings['version'] = 'v2'
  250. if 'ansible_callback_facts_yaml' not in self.settings:
  251. installer_log.debug("No 'ansible_callback_facts_yaml' in self.settings")
  252. self.settings['ansible_callback_facts_yaml'] = '%s/callback_facts.yaml' % \
  253. self.settings['ansible_inventory_directory']
  254. installer_log.debug("Value: %s", self.settings['ansible_callback_facts_yaml'])
  255. else:
  256. installer_log.debug("'ansible_callback_facts_yaml' already set "
  257. "in self.settings: %s",
  258. self.settings['ansible_callback_facts_yaml'])
  259. if 'ansible_ssh_user' not in self.settings:
  260. self.settings['ansible_ssh_user'] = ''
  261. self.settings['ansible_inventory_path'] = \
  262. '{}/hosts'.format(os.path.dirname(self.config_path))
  263. # pylint: disable=consider-iterating-dictionary
  264. # Disabled because we shouldn't alter the container we're
  265. # iterating over
  266. #
  267. # clean up any empty sets
  268. for setting in self.settings.keys():
  269. if not self.settings[setting]:
  270. self.settings.pop(setting)
  271. installer_log.debug("Updated OOConfig settings: %s", self.settings)
  272. def _default_ansible_inv_dir(self):
  273. return os.path.normpath(
  274. os.path.dirname(self.config_path) + "/.ansible")
  275. def calc_missing_facts(self):
  276. """
  277. Determine which host facts are not defined in the config.
  278. Returns a hash of host to a list of the missing facts.
  279. """
  280. result = {}
  281. for host in self.deployment.hosts:
  282. missing_facts = []
  283. if host.preconfigured:
  284. required_facts = PRECONFIGURED_REQUIRED_FACTS
  285. else:
  286. required_facts = DEFAULT_REQUIRED_FACTS
  287. for required_fact in required_facts:
  288. if not getattr(host, required_fact):
  289. missing_facts.append(required_fact)
  290. if len(missing_facts) > 0:
  291. result[host.connect_to] = missing_facts
  292. return result
  293. def save_to_disk(self):
  294. out_file = open(self.config_path, 'w')
  295. out_file.write(self.yaml())
  296. out_file.close()
  297. def persist_settings(self):
  298. p_settings = {}
  299. for setting in CONFIG_PERSIST_SETTINGS:
  300. if setting in self.settings and self.settings[setting]:
  301. p_settings[setting] = self.settings[setting]
  302. p_settings['deployment'] = {}
  303. p_settings['deployment']['hosts'] = []
  304. p_settings['deployment']['roles'] = {}
  305. for host in self.deployment.hosts:
  306. p_settings['deployment']['hosts'].append(host.to_dict())
  307. for name, role in self.deployment.roles.iteritems():
  308. p_settings['deployment']['roles'][name] = role.variables
  309. for setting in self.deployment.variables:
  310. if setting not in DEPLOYMENT_VARIABLES_BLACKLIST:
  311. p_settings['deployment'][setting] = self.deployment.variables[setting]
  312. try:
  313. p_settings['variant'] = self.settings['variant']
  314. p_settings['variant_version'] = self.settings['variant_version']
  315. if self.settings['ansible_inventory_directory'] != self._default_ansible_inv_dir():
  316. p_settings['ansible_inventory_directory'] = self.settings['ansible_inventory_directory']
  317. except KeyError as e:
  318. print "Error persisting settings: {}".format(e)
  319. sys.exit(0)
  320. return p_settings
  321. def yaml(self):
  322. return yaml.safe_dump(self.persist_settings(), default_flow_style=False)
  323. def __str__(self):
  324. return self.yaml()
  325. def get_host(self, name):
  326. for host in self.deployment.hosts:
  327. if host.connect_to == name:
  328. return host
  329. return None