openshift_facts.py 44 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495969798991001011021031041051061071081091101111121131141151161171181191201211221231241251261271281291301311321331341351361371381391401411421431441451461471481491501511521531541551561571581591601611621631641651661671681691701711721731741751761771781791801811821831841851861871881891901911921931941951961971981992002012022032042052062072082092102112122132142152162172182192202212222232242252262272282292302312322332342352362372382392402412422432442452462472482492502512522532542552562572582592602612622632642652662672682692702712722732742752762772782792802812822832842852862872882892902912922932942952962972982993003013023033043053063073083093103113123133143153163173183193203213223233243253263273283293303313323333343353363373383393403413423433443453463473483493503513523533543553563573583593603613623633643653663673683693703713723733743753763773783793803813823833843853863873883893903913923933943953963973983994004014024034044054064074084094104114124134144154164174184194204214224234244254264274284294304314324334344354364374384394404414424434444454464474484494504514524534544554564574584594604614624634644654664674684694704714724734744754764774784794804814824834844854864874884894904914924934944954964974984995005015025035045055065075085095105115125135145155165175185195205215225235245255265275285295305315325335345355365375385395405415425435445455465475485495505515525535545555565575585595605615625635645655665675685695705715725735745755765775785795805815825835845855865875885895905915925935945955965975985996006016026036046056066076086096106116126136146156166176186196206216226236246256266276286296306316326336346356366376386396406416426436446456466476486496506516526536546556566576586596606616626636646656666676686696706716726736746756766776786796806816826836846856866876886896906916926936946956966976986997007017027037047057067077087097107117127137147157167177187197207217227237247257267277287297307317327337347357367377387397407417427437447457467477487497507517527537547557567577587597607617627637647657667677687697707717727737747757767777787797807817827837847857867877887897907917927937947957967977987998008018028038048058068078088098108118128138148158168178188198208218228238248258268278288298308318328338348358368378388398408418428438448458468478488498508518528538548558568578588598608618628638648658668678688698708718728738748758768778788798808818828838848858868878888898908918928938948958968978988999009019029039049059069079089099109119129139149159169179189199209219229239249259269279289299309319329339349359369379389399409419429439449459469479489499509519529539549559569579589599609619629639649659669679689699709719729739749759769779789799809819829839849859869879889899909919929939949959969979989991000100110021003100410051006100710081009101010111012101310141015101610171018101910201021102210231024102510261027102810291030103110321033103410351036103710381039104010411042104310441045104610471048104910501051105210531054105510561057105810591060106110621063106410651066106710681069107010711072107310741075107610771078107910801081108210831084108510861087108810891090109110921093109410951096109710981099110011011102110311041105110611071108110911101111111211131114111511161117111811191120112111221123112411251126112711281129113011311132113311341135113611371138113911401141114211431144114511461147114811491150115111521153115411551156115711581159116011611162116311641165116611671168116911701171117211731174117511761177117811791180118111821183118411851186118711881189
  1. #!/usr/bin/python
  2. # pylint: disable=too-many-lines
  3. # -*- coding: utf-8 -*-
  4. # vim: expandtab:tabstop=4:shiftwidth=4
  5. # Reason: Disable pylint too-many-lines because we don't want to split up this file.
  6. # Status: Permanently disabled to keep this module as self-contained as possible.
  7. """Ansible module for retrieving and setting openshift related facts"""
  8. DOCUMENTATION = '''
  9. ---
  10. module: openshift_facts
  11. short_description: Cluster Facts
  12. author: Jason DeTiberus
  13. requirements: [ ]
  14. '''
  15. EXAMPLES = '''
  16. '''
  17. import ConfigParser
  18. import copy
  19. import os
  20. import StringIO
  21. import yaml
  22. from distutils.util import strtobool
  23. from distutils.version import LooseVersion
  24. from netaddr import IPNetwork
  25. def hostname_valid(hostname):
  26. """ Test if specified hostname should be considered valid
  27. Args:
  28. hostname (str): hostname to test
  29. Returns:
  30. bool: True if valid, otherwise False
  31. """
  32. if (not hostname or
  33. hostname.startswith('localhost') or
  34. hostname.endswith('localdomain') or
  35. len(hostname.split('.')) < 2):
  36. return False
  37. return True
  38. def choose_hostname(hostnames=None, fallback=''):
  39. """ Choose a hostname from the provided hostnames
  40. Given a list of hostnames and a fallback value, choose a hostname to
  41. use. This function will prefer fqdns if they exist (excluding any that
  42. begin with localhost or end with localdomain) over ip addresses.
  43. Args:
  44. hostnames (list): list of hostnames
  45. fallback (str): default value to set if hostnames does not contain
  46. a valid hostname
  47. Returns:
  48. str: chosen hostname
  49. """
  50. hostname = fallback
  51. if hostnames is None:
  52. return hostname
  53. ip_regex = r'\A\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}\Z'
  54. ips = [i for i in hostnames
  55. if (i is not None and isinstance(i, basestring)
  56. and re.match(ip_regex, i))]
  57. hosts = [i for i in hostnames
  58. if i is not None and i != '' and i not in ips]
  59. for host_list in (hosts, ips):
  60. for host in host_list:
  61. if hostname_valid(host):
  62. return host
  63. return hostname
  64. def query_metadata(metadata_url, headers=None, expect_json=False):
  65. """ Return metadata from the provided metadata_url
  66. Args:
  67. metadata_url (str): metadata url
  68. headers (dict): headers to set for metadata request
  69. expect_json (bool): does the metadata_url return json
  70. Returns:
  71. dict or list: metadata request result
  72. """
  73. result, info = fetch_url(module, metadata_url, headers=headers)
  74. if info['status'] != 200:
  75. raise OpenShiftFactsMetadataUnavailableError("Metadata unavailable")
  76. if expect_json:
  77. return module.from_json(result.read())
  78. else:
  79. return [line.strip() for line in result.readlines()]
  80. def walk_metadata(metadata_url, headers=None, expect_json=False):
  81. """ Walk the metadata tree and return a dictionary of the entire tree
  82. Args:
  83. metadata_url (str): metadata url
  84. headers (dict): headers to set for metadata request
  85. expect_json (bool): does the metadata_url return json
  86. Returns:
  87. dict: the result of walking the metadata tree
  88. """
  89. metadata = dict()
  90. for line in query_metadata(metadata_url, headers, expect_json):
  91. if line.endswith('/') and not line == 'public-keys/':
  92. key = line[:-1]
  93. metadata[key] = walk_metadata(metadata_url + line,
  94. headers, expect_json)
  95. else:
  96. results = query_metadata(metadata_url + line, headers,
  97. expect_json)
  98. if len(results) == 1:
  99. # disable pylint maybe-no-member because overloaded use of
  100. # the module name causes pylint to not detect that results
  101. # is an array or hash
  102. # pylint: disable=maybe-no-member
  103. metadata[line] = results.pop()
  104. else:
  105. metadata[line] = results
  106. return metadata
  107. def get_provider_metadata(metadata_url, supports_recursive=False,
  108. headers=None, expect_json=False):
  109. """ Retrieve the provider metadata
  110. Args:
  111. metadata_url (str): metadata url
  112. supports_recursive (bool): does the provider metadata api support
  113. recursion
  114. headers (dict): headers to set for metadata request
  115. expect_json (bool): does the metadata_url return json
  116. Returns:
  117. dict: the provider metadata
  118. """
  119. try:
  120. if supports_recursive:
  121. metadata = query_metadata(metadata_url, headers,
  122. expect_json)
  123. else:
  124. metadata = walk_metadata(metadata_url, headers,
  125. expect_json)
  126. except OpenShiftFactsMetadataUnavailableError:
  127. metadata = None
  128. return metadata
  129. def normalize_gce_facts(metadata, facts):
  130. """ Normalize gce facts
  131. Args:
  132. metadata (dict): provider metadata
  133. facts (dict): facts to update
  134. Returns:
  135. dict: the result of adding the normalized metadata to the provided
  136. facts dict
  137. """
  138. for interface in metadata['instance']['networkInterfaces']:
  139. int_info = dict(ips=[interface['ip']], network_type='gce')
  140. int_info['public_ips'] = [ac['externalIp'] for ac
  141. in interface['accessConfigs']]
  142. int_info['public_ips'].extend(interface['forwardedIps'])
  143. _, _, network_id = interface['network'].rpartition('/')
  144. int_info['network_id'] = network_id
  145. facts['network']['interfaces'].append(int_info)
  146. _, _, zone = metadata['instance']['zone'].rpartition('/')
  147. facts['zone'] = zone
  148. # Default to no sdn for GCE deployments
  149. facts['use_openshift_sdn'] = False
  150. # GCE currently only supports a single interface
  151. facts['network']['ip'] = facts['network']['interfaces'][0]['ips'][0]
  152. pub_ip = facts['network']['interfaces'][0]['public_ips'][0]
  153. facts['network']['public_ip'] = pub_ip
  154. facts['network']['hostname'] = metadata['instance']['hostname']
  155. # TODO: attempt to resolve public_hostname
  156. facts['network']['public_hostname'] = facts['network']['public_ip']
  157. return facts
  158. def normalize_aws_facts(metadata, facts):
  159. """ Normalize aws facts
  160. Args:
  161. metadata (dict): provider metadata
  162. facts (dict): facts to update
  163. Returns:
  164. dict: the result of adding the normalized metadata to the provided
  165. facts dict
  166. """
  167. for interface in sorted(
  168. metadata['network']['interfaces']['macs'].values(),
  169. key=lambda x: x['device-number']
  170. ):
  171. int_info = dict()
  172. var_map = {'ips': 'local-ipv4s', 'public_ips': 'public-ipv4s'}
  173. for ips_var, int_var in var_map.iteritems():
  174. ips = interface.get(int_var)
  175. if isinstance(ips, basestring):
  176. int_info[ips_var] = [ips]
  177. else:
  178. int_info[ips_var] = ips
  179. if 'vpc-id' in interface:
  180. int_info['network_type'] = 'vpc'
  181. else:
  182. int_info['network_type'] = 'classic'
  183. if int_info['network_type'] == 'vpc':
  184. int_info['network_id'] = interface['subnet-id']
  185. else:
  186. int_info['network_id'] = None
  187. facts['network']['interfaces'].append(int_info)
  188. facts['zone'] = metadata['placement']['availability-zone']
  189. # TODO: actually attempt to determine default local and public ips
  190. # by using the ansible default ip fact and the ipv4-associations
  191. # from the ec2 metadata
  192. facts['network']['ip'] = metadata.get('local-ipv4')
  193. facts['network']['public_ip'] = metadata.get('public-ipv4')
  194. # TODO: verify that local hostname makes sense and is resolvable
  195. facts['network']['hostname'] = metadata.get('local-hostname')
  196. # TODO: verify that public hostname makes sense and is resolvable
  197. facts['network']['public_hostname'] = metadata.get('public-hostname')
  198. return facts
  199. def normalize_openstack_facts(metadata, facts):
  200. """ Normalize openstack facts
  201. Args:
  202. metadata (dict): provider metadata
  203. facts (dict): facts to update
  204. Returns:
  205. dict: the result of adding the normalized metadata to the provided
  206. facts dict
  207. """
  208. # openstack ec2 compat api does not support network interfaces and
  209. # the version tested on did not include the info in the openstack
  210. # metadata api, should be updated if neutron exposes this.
  211. facts['zone'] = metadata['availability_zone']
  212. local_ipv4 = metadata['ec2_compat']['local-ipv4'].split(',')[0]
  213. facts['network']['ip'] = local_ipv4
  214. facts['network']['public_ip'] = metadata['ec2_compat']['public-ipv4']
  215. # TODO: verify local hostname makes sense and is resolvable
  216. facts['network']['hostname'] = metadata['hostname']
  217. # TODO: verify that public hostname makes sense and is resolvable
  218. pub_h = metadata['ec2_compat']['public-hostname']
  219. facts['network']['public_hostname'] = pub_h
  220. return facts
  221. def normalize_provider_facts(provider, metadata):
  222. """ Normalize provider facts
  223. Args:
  224. provider (str): host provider
  225. metadata (dict): provider metadata
  226. Returns:
  227. dict: the normalized provider facts
  228. """
  229. if provider is None or metadata is None:
  230. return {}
  231. # TODO: test for ipv6_enabled where possible (gce, aws do not support)
  232. # and configure ipv6 facts if available
  233. # TODO: add support for setting user_data if available
  234. facts = dict(name=provider, metadata=metadata,
  235. network=dict(interfaces=[], ipv6_enabled=False))
  236. if provider == 'gce':
  237. facts = normalize_gce_facts(metadata, facts)
  238. elif provider == 'ec2':
  239. facts = normalize_aws_facts(metadata, facts)
  240. elif provider == 'openstack':
  241. facts = normalize_openstack_facts(metadata, facts)
  242. return facts
  243. def set_fluentd_facts_if_unset(facts):
  244. """ Set fluentd facts if not already present in facts dict
  245. dict: the facts dict updated with the generated fluentd facts if
  246. missing
  247. Args:
  248. facts (dict): existing facts
  249. Returns:
  250. dict: the facts dict updated with the generated fluentd
  251. facts if they were not already present
  252. """
  253. if 'common' in facts:
  254. if 'use_fluentd' not in facts['common']:
  255. use_fluentd = False
  256. facts['common']['use_fluentd'] = use_fluentd
  257. return facts
  258. def set_flannel_facts_if_unset(facts):
  259. """ Set flannel facts if not already present in facts dict
  260. dict: the facts dict updated with the flannel facts if
  261. missing
  262. Args:
  263. facts (dict): existing facts
  264. Returns:
  265. dict: the facts dict updated with the flannel
  266. facts if they were not already present
  267. """
  268. if 'common' in facts:
  269. if 'use_flannel' not in facts['common']:
  270. use_flannel = False
  271. facts['common']['use_flannel'] = use_flannel
  272. return facts
  273. def set_node_schedulability(facts):
  274. """ Set schedulable facts if not already present in facts dict
  275. Args:
  276. facts (dict): existing facts
  277. Returns:
  278. dict: the facts dict updated with the generated schedulable
  279. facts if they were not already present
  280. """
  281. if 'node' in facts:
  282. if 'schedulable' not in facts['node']:
  283. if 'master' in facts:
  284. facts['node']['schedulable'] = False
  285. else:
  286. facts['node']['schedulable'] = True
  287. return facts
  288. def set_master_selectors(facts):
  289. """ Set selectors facts if not already present in facts dict
  290. Args:
  291. facts (dict): existing facts
  292. Returns:
  293. dict: the facts dict updated with the generated selectors
  294. facts if they were not already present
  295. """
  296. if 'master' in facts:
  297. if 'infra_nodes' in facts['master']:
  298. deployment_type = facts['common']['deployment_type']
  299. if deployment_type == 'online':
  300. selector = "type=infra"
  301. else:
  302. selector = "region=infra"
  303. if 'router_selector' not in facts['master']:
  304. facts['master']['router_selector'] = selector
  305. if 'registry_selector' not in facts['master']:
  306. facts['master']['registry_selector'] = selector
  307. return facts
  308. def set_metrics_facts_if_unset(facts):
  309. """ Set cluster metrics facts if not already present in facts dict
  310. dict: the facts dict updated with the generated cluster metrics facts if
  311. missing
  312. Args:
  313. facts (dict): existing facts
  314. Returns:
  315. dict: the facts dict updated with the generated cluster metrics
  316. facts if they were not already present
  317. """
  318. if 'common' in facts:
  319. if 'use_cluster_metrics' not in facts['common']:
  320. use_cluster_metrics = False
  321. facts['common']['use_cluster_metrics'] = use_cluster_metrics
  322. return facts
  323. def set_project_cfg_facts_if_unset(facts):
  324. """ Set Project Configuration facts if not already present in facts dict
  325. dict:
  326. Args:
  327. facts (dict): existing facts
  328. Returns:
  329. dict: the facts dict updated with the generated Project Configuration
  330. facts if they were not already present
  331. """
  332. config = {
  333. 'default_node_selector': '',
  334. 'project_request_message': '',
  335. 'project_request_template': '',
  336. 'mcs_allocator_range': 's0:/2',
  337. 'mcs_labels_per_project': 5,
  338. 'uid_allocator_range': '1000000000-1999999999/10000'
  339. }
  340. if 'master' in facts:
  341. for key, value in config.items():
  342. if key not in facts['master']:
  343. facts['master'][key] = value
  344. return facts
  345. def set_identity_providers_if_unset(facts):
  346. """ Set identity_providers fact if not already present in facts dict
  347. Args:
  348. facts (dict): existing facts
  349. Returns:
  350. dict: the facts dict updated with the generated identity providers
  351. facts if they were not already present
  352. """
  353. if 'master' in facts:
  354. deployment_type = facts['common']['deployment_type']
  355. if 'identity_providers' not in facts['master']:
  356. identity_provider = dict(
  357. name='allow_all', challenge=True, login=True,
  358. kind='AllowAllPasswordIdentityProvider'
  359. )
  360. if deployment_type in ['enterprise', 'atomic-enterprise', 'openshift-enterprise']:
  361. identity_provider = dict(
  362. name='deny_all', challenge=True, login=True,
  363. kind='DenyAllPasswordIdentityProvider'
  364. )
  365. facts['master']['identity_providers'] = [identity_provider]
  366. return facts
  367. def set_url_facts_if_unset(facts):
  368. """ Set url facts if not already present in facts dict
  369. Args:
  370. facts (dict): existing facts
  371. Returns:
  372. dict: the facts dict updated with the generated url facts if they
  373. were not already present
  374. """
  375. if 'master' in facts:
  376. api_use_ssl = facts['master']['api_use_ssl']
  377. api_port = facts['master']['api_port']
  378. console_use_ssl = facts['master']['console_use_ssl']
  379. console_port = facts['master']['console_port']
  380. console_path = facts['master']['console_path']
  381. etcd_use_ssl = facts['master']['etcd_use_ssl']
  382. etcd_hosts = facts['master']['etcd_hosts']
  383. etcd_port = facts['master']['etcd_port']
  384. hostname = facts['common']['hostname']
  385. public_hostname = facts['common']['public_hostname']
  386. cluster_hostname = facts['master'].get('cluster_hostname')
  387. cluster_public_hostname = facts['master'].get('cluster_public_hostname')
  388. if 'etcd_urls' not in facts['master']:
  389. etcd_urls = []
  390. if etcd_hosts != '':
  391. facts['master']['etcd_port'] = etcd_port
  392. facts['master']['embedded_etcd'] = False
  393. for host in etcd_hosts:
  394. etcd_urls.append(format_url(etcd_use_ssl, host,
  395. etcd_port))
  396. else:
  397. etcd_urls = [format_url(etcd_use_ssl, hostname,
  398. etcd_port)]
  399. facts['master']['etcd_urls'] = etcd_urls
  400. if 'api_url' not in facts['master']:
  401. api_hostname = cluster_hostname if cluster_hostname else hostname
  402. facts['master']['api_url'] = format_url(api_use_ssl, api_hostname,
  403. api_port)
  404. if 'public_api_url' not in facts['master']:
  405. api_public_hostname = cluster_public_hostname if cluster_public_hostname else public_hostname
  406. facts['master']['public_api_url'] = format_url(api_use_ssl,
  407. api_public_hostname,
  408. api_port)
  409. if 'console_url' not in facts['master']:
  410. console_hostname = cluster_hostname if cluster_hostname else hostname
  411. facts['master']['console_url'] = format_url(console_use_ssl,
  412. console_hostname,
  413. console_port,
  414. console_path)
  415. if 'public_console_url' not in facts['master']:
  416. console_public_hostname = cluster_public_hostname if cluster_public_hostname else public_hostname
  417. facts['master']['public_console_url'] = format_url(console_use_ssl,
  418. console_public_hostname,
  419. console_port,
  420. console_path)
  421. return facts
  422. def set_aggregate_facts(facts):
  423. """ Set aggregate facts
  424. Args:
  425. facts (dict): existing facts
  426. Returns:
  427. dict: the facts dict updated with aggregated facts
  428. """
  429. all_hostnames = set()
  430. internal_hostnames = set()
  431. if 'common' in facts:
  432. all_hostnames.add(facts['common']['hostname'])
  433. all_hostnames.add(facts['common']['public_hostname'])
  434. all_hostnames.add(facts['common']['ip'])
  435. all_hostnames.add(facts['common']['public_ip'])
  436. internal_hostnames.add(facts['common']['hostname'])
  437. internal_hostnames.add(facts['common']['ip'])
  438. if 'master' in facts:
  439. # FIXME: not sure why but facts['dns']['domain'] fails
  440. cluster_domain = 'cluster.local'
  441. if 'cluster_hostname' in facts['master']:
  442. all_hostnames.add(facts['master']['cluster_hostname'])
  443. if 'cluster_public_hostname' in facts['master']:
  444. all_hostnames.add(facts['master']['cluster_public_hostname'])
  445. svc_names = ['openshift', 'openshift.default', 'openshift.default.svc',
  446. 'openshift.default.svc.' + cluster_domain, 'kubernetes', 'kubernetes.default',
  447. 'kubernetes.default.svc', 'kubernetes.default.svc.' + cluster_domain]
  448. all_hostnames.update(svc_names)
  449. internal_hostnames.update(svc_names)
  450. first_svc_ip = str(IPNetwork(facts['master']['portal_net'])[1])
  451. all_hostnames.add(first_svc_ip)
  452. internal_hostnames.add(first_svc_ip)
  453. facts['common']['all_hostnames'] = list(all_hostnames)
  454. facts['common']['internal_hostnames'] = list(internal_hostnames)
  455. return facts
  456. def set_etcd_facts_if_unset(facts):
  457. """
  458. If using embedded etcd, loads the data directory from master-config.yaml.
  459. If using standalone etcd, loads ETCD_DATA_DIR from etcd.conf.
  460. If anything goes wrong parsing these, the fact will not be set.
  461. """
  462. if 'etcd' in facts:
  463. if 'master' in facts and facts['master']['embedded_etcd']:
  464. try:
  465. # Parse master config to find actual etcd data dir:
  466. master_cfg_path = os.path.join(facts['common']['config_base'],
  467. 'master/master-config.yaml')
  468. master_cfg_f = open(master_cfg_path, 'r')
  469. config = yaml.safe_load(master_cfg_f.read())
  470. master_cfg_f.close()
  471. facts['etcd']['etcd_data_dir'] = \
  472. config['etcdConfig']['storageDirectory']
  473. # We don't want exceptions bubbling up here:
  474. # pylint: disable=broad-except
  475. except Exception:
  476. pass
  477. else:
  478. # Read ETCD_DATA_DIR from /etc/etcd/etcd.conf:
  479. try:
  480. # Add a fake section for parsing:
  481. ini_str = '[root]\n' + open('/etc/etcd/etcd.conf', 'r').read()
  482. ini_fp = StringIO.StringIO(ini_str)
  483. config = ConfigParser.RawConfigParser()
  484. config.readfp(ini_fp)
  485. etcd_data_dir = config.get('root', 'ETCD_DATA_DIR')
  486. if etcd_data_dir.startswith('"') and etcd_data_dir.endswith('"'):
  487. etcd_data_dir = etcd_data_dir[1:-1]
  488. facts['etcd']['etcd_data_dir'] = etcd_data_dir
  489. # We don't want exceptions bubbling up here:
  490. # pylint: disable=broad-except
  491. except Exception:
  492. pass
  493. return facts
  494. def set_deployment_facts_if_unset(facts):
  495. """ Set Facts that vary based on deployment_type. This currently
  496. includes common.service_type, common.config_base, master.registry_url,
  497. node.registry_url, node.storage_plugin_deps
  498. Args:
  499. facts (dict): existing facts
  500. Returns:
  501. dict: the facts dict updated with the generated deployment_type
  502. facts
  503. """
  504. # disabled to avoid breaking up facts related to deployment type into
  505. # multiple methods for now.
  506. # pylint: disable=too-many-statements, too-many-branches
  507. if 'common' in facts:
  508. deployment_type = facts['common']['deployment_type']
  509. if 'service_type' not in facts['common']:
  510. service_type = 'atomic-openshift'
  511. if deployment_type == 'origin':
  512. service_type = 'origin'
  513. elif deployment_type in ['enterprise', 'online']:
  514. service_type = 'openshift'
  515. facts['common']['service_type'] = service_type
  516. if 'config_base' not in facts['common']:
  517. config_base = '/etc/origin'
  518. if deployment_type in ['enterprise', 'online']:
  519. config_base = '/etc/openshift'
  520. # Handle upgrade scenarios when symlinks don't yet exist:
  521. if not os.path.exists(config_base) and os.path.exists('/etc/openshift'):
  522. config_base = '/etc/openshift'
  523. facts['common']['config_base'] = config_base
  524. if 'data_dir' not in facts['common']:
  525. data_dir = '/var/lib/origin'
  526. if deployment_type in ['enterprise', 'online']:
  527. data_dir = '/var/lib/openshift'
  528. # Handle upgrade scenarios when symlinks don't yet exist:
  529. if not os.path.exists(data_dir) and os.path.exists('/var/lib/openshift'):
  530. data_dir = '/var/lib/openshift'
  531. facts['common']['data_dir'] = data_dir
  532. for role in ('master', 'node'):
  533. if role in facts:
  534. deployment_type = facts['common']['deployment_type']
  535. if 'registry_url' not in facts[role]:
  536. registry_url = 'openshift/origin-${component}:${version}'
  537. if deployment_type in ['enterprise', 'online', 'openshift-enterprise']:
  538. registry_url = 'openshift3/ose-${component}:${version}'
  539. elif deployment_type == 'atomic-enterprise':
  540. registry_url = 'aep3/aep-${component}:${version}'
  541. facts[role]['registry_url'] = registry_url
  542. if 'master' in facts:
  543. deployment_type = facts['common']['deployment_type']
  544. openshift_features = ['Builder', 'S2IBuilder', 'WebConsole']
  545. if 'disabled_features' in facts['master']:
  546. if deployment_type == 'atomic-enterprise':
  547. curr_disabled_features = set(facts['master']['disabled_features'])
  548. facts['master']['disabled_features'] = list(curr_disabled_features.union(openshift_features))
  549. else:
  550. if deployment_type == 'atomic-enterprise':
  551. facts['master']['disabled_features'] = openshift_features
  552. if 'node' in facts:
  553. deployment_type = facts['common']['deployment_type']
  554. if 'storage_plugin_deps' not in facts['node']:
  555. if deployment_type in ['openshift-enterprise', 'atomic-enterprise']:
  556. facts['node']['storage_plugin_deps'] = ['ceph', 'glusterfs']
  557. else:
  558. facts['node']['storage_plugin_deps'] = []
  559. return facts
  560. def set_version_facts_if_unset(facts):
  561. """ Set version facts. This currently includes common.version and
  562. common.version_greater_than_3_1_or_1_1.
  563. Args:
  564. facts (dict): existing facts
  565. Returns:
  566. dict: the facts dict updated with version facts.
  567. """
  568. if 'common' in facts:
  569. deployment_type = facts['common']['deployment_type']
  570. facts['common']['version'] = version = get_openshift_version()
  571. if version is not None:
  572. if deployment_type == 'origin':
  573. version_gt_3_1_or_1_1 = LooseVersion(version) > LooseVersion('1.0.6')
  574. else:
  575. version_gt_3_1_or_1_1 = LooseVersion(version) > LooseVersion('3.0.2.900')
  576. else:
  577. version_gt_3_1_or_1_1 = True
  578. facts['common']['version_greater_than_3_1_or_1_1'] = version_gt_3_1_or_1_1
  579. return facts
  580. def set_sdn_facts_if_unset(facts, system_facts):
  581. """ Set sdn facts if not already present in facts dict
  582. Args:
  583. facts (dict): existing facts
  584. system_facts (dict): ansible_facts
  585. Returns:
  586. dict: the facts dict updated with the generated sdn facts if they
  587. were not already present
  588. """
  589. if 'common' in facts:
  590. use_sdn = facts['common']['use_openshift_sdn']
  591. if not (use_sdn == '' or isinstance(use_sdn, bool)):
  592. facts['common']['use_openshift_sdn'] = bool(strtobool(str(use_sdn)))
  593. if 'sdn_network_plugin_name' not in facts['common']:
  594. plugin = 'redhat/openshift-ovs-subnet' if use_sdn else ''
  595. facts['common']['sdn_network_plugin_name'] = plugin
  596. if 'master' in facts:
  597. if 'sdn_cluster_network_cidr' not in facts['master']:
  598. facts['master']['sdn_cluster_network_cidr'] = '10.1.0.0/16'
  599. if 'sdn_host_subnet_length' not in facts['master']:
  600. facts['master']['sdn_host_subnet_length'] = '8'
  601. if 'node' in facts and 'sdn_mtu' not in facts['node']:
  602. node_ip = facts['common']['ip']
  603. # default MTU if interface MTU cannot be detected
  604. facts['node']['sdn_mtu'] = '1450'
  605. for val in system_facts.itervalues():
  606. if isinstance(val, dict) and 'mtu' in val:
  607. mtu = val['mtu']
  608. if 'ipv4' in val and val['ipv4'].get('address') == node_ip:
  609. facts['node']['sdn_mtu'] = str(mtu - 50)
  610. return facts
  611. def format_url(use_ssl, hostname, port, path=''):
  612. """ Format url based on ssl flag, hostname, port and path
  613. Args:
  614. use_ssl (bool): is ssl enabled
  615. hostname (str): hostname
  616. port (str): port
  617. path (str): url path
  618. Returns:
  619. str: The generated url string
  620. """
  621. scheme = 'https' if use_ssl else 'http'
  622. netloc = hostname
  623. if (use_ssl and port != '443') or (not use_ssl and port != '80'):
  624. netloc += ":%s" % port
  625. return urlparse.urlunparse((scheme, netloc, path, '', '', ''))
  626. def get_current_config(facts):
  627. """ Get current openshift config
  628. Args:
  629. facts (dict): existing facts
  630. Returns:
  631. dict: the facts dict updated with the current openshift config
  632. """
  633. current_config = dict()
  634. roles = [role for role in facts if role not in ['common', 'provider']]
  635. for role in roles:
  636. if 'roles' in current_config:
  637. current_config['roles'].append(role)
  638. else:
  639. current_config['roles'] = [role]
  640. # TODO: parse the /etc/sysconfig/openshift-{master,node} config to
  641. # determine the location of files.
  642. # TODO: I suspect this isn't working right now, but it doesn't prevent
  643. # anything from working properly as far as I can tell, perhaps because
  644. # we override the kubeconfig path everywhere we use it?
  645. # Query kubeconfig settings
  646. kubeconfig_dir = '/var/lib/origin/openshift.local.certificates'
  647. if role == 'node':
  648. kubeconfig_dir = os.path.join(
  649. kubeconfig_dir, "node-%s" % facts['common']['hostname']
  650. )
  651. kubeconfig_path = os.path.join(kubeconfig_dir, '.kubeconfig')
  652. if (os.path.isfile('/usr/bin/openshift')
  653. and os.path.isfile(kubeconfig_path)):
  654. try:
  655. _, output, _ = module.run_command(
  656. ["/usr/bin/openshift", "ex", "config", "view", "-o",
  657. "json", "--kubeconfig=%s" % kubeconfig_path],
  658. check_rc=False
  659. )
  660. config = json.loads(output)
  661. cad = 'certificate-authority-data'
  662. try:
  663. for cluster in config['clusters']:
  664. config['clusters'][cluster][cad] = 'masked'
  665. except KeyError:
  666. pass
  667. try:
  668. for user in config['users']:
  669. config['users'][user][cad] = 'masked'
  670. config['users'][user]['client-key-data'] = 'masked'
  671. except KeyError:
  672. pass
  673. current_config['kubeconfig'] = config
  674. # override pylint broad-except warning, since we do not want
  675. # to bubble up any exceptions if oc config view
  676. # fails
  677. # pylint: disable=broad-except
  678. except Exception:
  679. pass
  680. return current_config
  681. def get_openshift_version():
  682. """ Get current version of openshift on the host
  683. Returns:
  684. version: the current openshift version
  685. """
  686. version = None
  687. if os.path.isfile('/usr/bin/openshift'):
  688. _, output, _ = module.run_command(['/usr/bin/openshift', 'version'])
  689. versions = dict(e.split(' v') for e in output.splitlines() if ' v' in e)
  690. version = versions.get('openshift', '')
  691. #TODO: acknowledge the possility of a containerized install
  692. return version
  693. def apply_provider_facts(facts, provider_facts):
  694. """ Apply provider facts to supplied facts dict
  695. Args:
  696. facts (dict): facts dict to update
  697. provider_facts (dict): provider facts to apply
  698. roles: host roles
  699. Returns:
  700. dict: the merged facts
  701. """
  702. if not provider_facts:
  703. return facts
  704. use_openshift_sdn = provider_facts.get('use_openshift_sdn')
  705. if isinstance(use_openshift_sdn, bool):
  706. facts['common']['use_openshift_sdn'] = use_openshift_sdn
  707. common_vars = [('hostname', 'ip'), ('public_hostname', 'public_ip')]
  708. for h_var, ip_var in common_vars:
  709. ip_value = provider_facts['network'].get(ip_var)
  710. if ip_value:
  711. facts['common'][ip_var] = ip_value
  712. facts['common'][h_var] = choose_hostname(
  713. [provider_facts['network'].get(h_var)],
  714. facts['common'][ip_var]
  715. )
  716. facts['provider'] = provider_facts
  717. return facts
  718. def merge_facts(orig, new):
  719. """ Recursively merge facts dicts
  720. Args:
  721. orig (dict): existing facts
  722. new (dict): facts to update
  723. Returns:
  724. dict: the merged facts
  725. """
  726. facts = dict()
  727. for key, value in orig.iteritems():
  728. if key in new:
  729. if isinstance(value, dict) and isinstance(new[key], dict):
  730. facts[key] = merge_facts(value, new[key])
  731. else:
  732. facts[key] = copy.copy(new[key])
  733. else:
  734. facts[key] = copy.deepcopy(value)
  735. new_keys = set(new.keys()) - set(orig.keys())
  736. for key in new_keys:
  737. facts[key] = copy.deepcopy(new[key])
  738. return facts
  739. def save_local_facts(filename, facts):
  740. """ Save local facts
  741. Args:
  742. filename (str): local facts file
  743. facts (dict): facts to set
  744. """
  745. try:
  746. fact_dir = os.path.dirname(filename)
  747. if not os.path.exists(fact_dir):
  748. os.makedirs(fact_dir)
  749. with open(filename, 'w') as fact_file:
  750. fact_file.write(module.jsonify(facts))
  751. except (IOError, OSError) as ex:
  752. raise OpenShiftFactsFileWriteError(
  753. "Could not create fact file: %s, error: %s" % (filename, ex)
  754. )
  755. def get_local_facts_from_file(filename):
  756. """ Retrieve local facts from fact file
  757. Args:
  758. filename (str): local facts file
  759. Returns:
  760. dict: the retrieved facts
  761. """
  762. local_facts = dict()
  763. try:
  764. # Handle conversion of INI style facts file to json style
  765. ini_facts = ConfigParser.SafeConfigParser()
  766. ini_facts.read(filename)
  767. for section in ini_facts.sections():
  768. local_facts[section] = dict()
  769. for key, value in ini_facts.items(section):
  770. local_facts[section][key] = value
  771. except (ConfigParser.MissingSectionHeaderError,
  772. ConfigParser.ParsingError):
  773. try:
  774. with open(filename, 'r') as facts_file:
  775. local_facts = json.load(facts_file)
  776. except (ValueError, IOError):
  777. pass
  778. return local_facts
  779. class OpenShiftFactsUnsupportedRoleError(Exception):
  780. """Origin Facts Unsupported Role Error"""
  781. pass
  782. class OpenShiftFactsFileWriteError(Exception):
  783. """Origin Facts File Write Error"""
  784. pass
  785. class OpenShiftFactsMetadataUnavailableError(Exception):
  786. """Origin Facts Metadata Unavailable Error"""
  787. pass
  788. class OpenShiftFacts(object):
  789. """ Origin Facts
  790. Attributes:
  791. facts (dict): facts for the host
  792. Args:
  793. role (str): role for setting local facts
  794. filename (str): local facts file to use
  795. local_facts (dict): local facts to set
  796. Raises:
  797. OpenShiftFactsUnsupportedRoleError:
  798. """
  799. known_roles = ['common', 'master', 'node', 'master_sdn', 'node_sdn', 'dns', 'etcd']
  800. def __init__(self, role, filename, local_facts):
  801. self.changed = False
  802. self.filename = filename
  803. if role not in self.known_roles:
  804. raise OpenShiftFactsUnsupportedRoleError(
  805. "Role %s is not supported by this module" % role
  806. )
  807. self.role = role
  808. self.system_facts = ansible_facts(module)
  809. self.facts = self.generate_facts(local_facts)
  810. def generate_facts(self, local_facts):
  811. """ Generate facts
  812. Args:
  813. local_facts (dict): local_facts for overriding generated
  814. defaults
  815. Returns:
  816. dict: The generated facts
  817. """
  818. local_facts = self.init_local_facts(local_facts)
  819. roles = local_facts.keys()
  820. defaults = self.get_defaults(roles)
  821. provider_facts = self.init_provider_facts()
  822. facts = apply_provider_facts(defaults, provider_facts)
  823. facts = merge_facts(facts, local_facts)
  824. facts['current_config'] = get_current_config(facts)
  825. facts = set_url_facts_if_unset(facts)
  826. facts = set_project_cfg_facts_if_unset(facts)
  827. facts = set_fluentd_facts_if_unset(facts)
  828. facts = set_flannel_facts_if_unset(facts)
  829. facts = set_node_schedulability(facts)
  830. facts = set_master_selectors(facts)
  831. facts = set_metrics_facts_if_unset(facts)
  832. facts = set_identity_providers_if_unset(facts)
  833. facts = set_sdn_facts_if_unset(facts, self.system_facts)
  834. facts = set_deployment_facts_if_unset(facts)
  835. facts = set_version_facts_if_unset(facts)
  836. facts = set_aggregate_facts(facts)
  837. facts = set_etcd_facts_if_unset(facts)
  838. return dict(openshift=facts)
  839. def get_defaults(self, roles):
  840. """ Get default fact values
  841. Args:
  842. roles (list): list of roles for this host
  843. Returns:
  844. dict: The generated default facts
  845. """
  846. defaults = dict()
  847. ip_addr = self.system_facts['default_ipv4']['address']
  848. exit_code, output, _ = module.run_command(['hostname', '-f'])
  849. hostname_f = output.strip() if exit_code == 0 else ''
  850. hostname_values = [hostname_f, self.system_facts['nodename'],
  851. self.system_facts['fqdn']]
  852. hostname = choose_hostname(hostname_values, ip_addr)
  853. common = dict(use_openshift_sdn=True, ip=ip_addr, public_ip=ip_addr,
  854. deployment_type='origin', hostname=hostname,
  855. public_hostname=hostname)
  856. common['client_binary'] = 'oc' if os.path.isfile('/usr/bin/oc') else 'osc'
  857. common['admin_binary'] = 'oadm' if os.path.isfile('/usr/bin/oadm') else 'osadm'
  858. defaults['common'] = common
  859. if 'master' in roles:
  860. master = dict(api_use_ssl=True, api_port='8443',
  861. console_use_ssl=True, console_path='/console',
  862. console_port='8443', etcd_use_ssl=True, etcd_hosts='',
  863. etcd_port='4001', portal_net='172.30.0.0/16',
  864. embedded_etcd=True, embedded_kube=True,
  865. embedded_dns=True, dns_port='53',
  866. bind_addr='0.0.0.0', session_max_seconds=3600,
  867. session_name='ssn', session_secrets_file='',
  868. access_token_max_seconds=86400,
  869. auth_token_max_seconds=500,
  870. oauth_grant_method='auto')
  871. defaults['master'] = master
  872. if 'node' in roles:
  873. node = dict(labels={}, annotations={}, portal_net='172.30.0.0/16',
  874. iptables_sync_period='5s')
  875. defaults['node'] = node
  876. return defaults
  877. def guess_host_provider(self):
  878. """ Guess the host provider
  879. Returns:
  880. dict: The generated default facts for the detected provider
  881. """
  882. # TODO: cloud provider facts should probably be submitted upstream
  883. product_name = self.system_facts['product_name']
  884. product_version = self.system_facts['product_version']
  885. virt_type = self.system_facts['virtualization_type']
  886. virt_role = self.system_facts['virtualization_role']
  887. provider = None
  888. metadata = None
  889. # TODO: this is not exposed through module_utils/facts.py in ansible,
  890. # need to create PR for ansible to expose it
  891. bios_vendor = get_file_content(
  892. '/sys/devices/virtual/dmi/id/bios_vendor'
  893. )
  894. if bios_vendor == 'Google':
  895. provider = 'gce'
  896. metadata_url = ('http://metadata.google.internal/'
  897. 'computeMetadata/v1/?recursive=true')
  898. headers = {'Metadata-Flavor': 'Google'}
  899. metadata = get_provider_metadata(metadata_url, True, headers,
  900. True)
  901. # Filter sshKeys and serviceAccounts from gce metadata
  902. if metadata:
  903. metadata['project']['attributes'].pop('sshKeys', None)
  904. metadata['instance'].pop('serviceAccounts', None)
  905. elif (virt_type == 'xen' and virt_role == 'guest'
  906. and re.match(r'.*\.amazon$', product_version)):
  907. provider = 'ec2'
  908. metadata_url = 'http://169.254.169.254/latest/meta-data/'
  909. metadata = get_provider_metadata(metadata_url)
  910. elif re.search(r'OpenStack', product_name):
  911. provider = 'openstack'
  912. metadata_url = ('http://169.254.169.254/openstack/latest/'
  913. 'meta_data.json')
  914. metadata = get_provider_metadata(metadata_url, True, None,
  915. True)
  916. if metadata:
  917. ec2_compat_url = 'http://169.254.169.254/latest/meta-data/'
  918. metadata['ec2_compat'] = get_provider_metadata(
  919. ec2_compat_url
  920. )
  921. # disable pylint maybe-no-member because overloaded use of
  922. # the module name causes pylint to not detect that results
  923. # is an array or hash
  924. # pylint: disable=maybe-no-member
  925. # Filter public_keys and random_seed from openstack metadata
  926. metadata.pop('public_keys', None)
  927. metadata.pop('random_seed', None)
  928. if not metadata['ec2_compat']:
  929. metadata = None
  930. return dict(name=provider, metadata=metadata)
  931. def init_provider_facts(self):
  932. """ Initialize the provider facts
  933. Returns:
  934. dict: The normalized provider facts
  935. """
  936. provider_info = self.guess_host_provider()
  937. provider_facts = normalize_provider_facts(
  938. provider_info.get('name'),
  939. provider_info.get('metadata')
  940. )
  941. return provider_facts
  942. def init_local_facts(self, facts=None):
  943. """ Initialize the provider facts
  944. Args:
  945. facts (dict): local facts to set
  946. Returns:
  947. dict: The result of merging the provided facts with existing
  948. local facts
  949. """
  950. changed = False
  951. facts_to_set = {self.role: dict()}
  952. if facts is not None:
  953. facts_to_set[self.role] = facts
  954. local_facts = get_local_facts_from_file(self.filename)
  955. for arg in ['labels', 'annotations']:
  956. if arg in facts_to_set and isinstance(facts_to_set[arg],
  957. basestring):
  958. facts_to_set[arg] = module.from_json(facts_to_set[arg])
  959. new_local_facts = merge_facts(local_facts, facts_to_set)
  960. for facts in new_local_facts.values():
  961. keys_to_delete = []
  962. for fact, value in facts.iteritems():
  963. if value == "" or value is None:
  964. keys_to_delete.append(fact)
  965. for key in keys_to_delete:
  966. del facts[key]
  967. if new_local_facts != local_facts:
  968. changed = True
  969. if not module.check_mode:
  970. save_local_facts(self.filename, new_local_facts)
  971. self.changed = changed
  972. return new_local_facts
  973. def main():
  974. """ main """
  975. # disabling pylint errors for global-variable-undefined and invalid-name
  976. # for 'global module' usage, since it is required to use ansible_facts
  977. # pylint: disable=global-variable-undefined, invalid-name
  978. global module
  979. module = AnsibleModule(
  980. argument_spec=dict(
  981. role=dict(default='common', required=False,
  982. choices=OpenShiftFacts.known_roles),
  983. local_facts=dict(default=None, type='dict', required=False),
  984. ),
  985. supports_check_mode=True,
  986. add_file_common_args=True,
  987. )
  988. role = module.params['role']
  989. local_facts = module.params['local_facts']
  990. fact_file = '/etc/ansible/facts.d/openshift.fact'
  991. openshift_facts = OpenShiftFacts(role, fact_file, local_facts)
  992. file_params = module.params.copy()
  993. file_params['path'] = fact_file
  994. file_args = module.load_file_common_arguments(file_params)
  995. changed = module.set_fs_attributes_if_different(file_args,
  996. openshift_facts.changed)
  997. return module.exit_json(changed=changed,
  998. ansible_facts=openshift_facts.facts)
  999. # ignore pylint errors related to the module_utils import
  1000. # pylint: disable=redefined-builtin, unused-wildcard-import, wildcard-import
  1001. # import module snippets
  1002. from ansible.module_utils.basic import *
  1003. from ansible.module_utils.facts import *
  1004. from ansible.module_utils.urls import *
  1005. if __name__ == '__main__':
  1006. main()