oo_filters.py 39 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882
  1. #!/usr/bin/python
  2. # -*- coding: utf-8 -*-
  3. # vim: expandtab:tabstop=4:shiftwidth=4
  4. """
  5. Custom filters for use in openshift-ansible
  6. """
  7. from ansible import errors
  8. from collections import Mapping
  9. from distutils.version import LooseVersion
  10. from operator import itemgetter
  11. import OpenSSL.crypto
  12. import os
  13. import pdb
  14. import pkg_resources
  15. import re
  16. import json
  17. import yaml
  18. from ansible.utils.unicode import to_unicode
  19. from urlparse import urlparse
  20. # Disabling too-many-public-methods, since filter methods are necessarily
  21. # public
  22. # pylint: disable=too-many-public-methods
  23. class FilterModule(object):
  24. """ Custom ansible filters """
  25. @staticmethod
  26. def oo_pdb(arg):
  27. """ This pops you into a pdb instance where arg is the data passed in
  28. from the filter.
  29. Ex: "{{ hostvars | oo_pdb }}"
  30. """
  31. pdb.set_trace()
  32. return arg
  33. @staticmethod
  34. def get_attr(data, attribute=None):
  35. """ This looks up dictionary attributes of the form a.b.c and returns
  36. the value.
  37. If the key isn't present, None is returned.
  38. Ex: data = {'a': {'b': {'c': 5}}}
  39. attribute = "a.b.c"
  40. returns 5
  41. """
  42. if not attribute:
  43. raise errors.AnsibleFilterError("|failed expects attribute to be set")
  44. ptr = data
  45. for attr in attribute.split('.'):
  46. if attr in ptr:
  47. ptr = ptr[attr]
  48. else:
  49. ptr = None
  50. break
  51. return ptr
  52. @staticmethod
  53. def oo_flatten(data):
  54. """ This filter plugin will flatten a list of lists
  55. """
  56. if not isinstance(data, list):
  57. raise errors.AnsibleFilterError("|failed expects to flatten a List")
  58. return [item for sublist in data for item in sublist]
  59. @staticmethod
  60. def oo_merge_dicts(first_dict, second_dict):
  61. """ Merge two dictionaries where second_dict values take precedence.
  62. Ex: first_dict={'a': 1, 'b': 2}
  63. second_dict={'b': 3, 'c': 4}
  64. returns {'a': 1, 'b': 3, 'c': 4}
  65. """
  66. if not isinstance(first_dict, dict) or not isinstance(second_dict, dict):
  67. raise errors.AnsibleFilterError("|failed expects to merge two dicts")
  68. merged = first_dict.copy()
  69. merged.update(second_dict)
  70. return merged
  71. @staticmethod
  72. def oo_merge_hostvars(hostvars, variables, inventory_hostname):
  73. """ Merge host and play variables.
  74. When ansible version is greater than or equal to 2.0.0,
  75. merge hostvars[inventory_hostname] with variables (ansible vars)
  76. otherwise merge hostvars with hostvars['inventory_hostname'].
  77. Ex: hostvars={'master1.example.com': {'openshift_variable': '3'},
  78. 'openshift_other_variable': '7'}
  79. variables={'openshift_other_variable': '6'}
  80. inventory_hostname='master1.example.com'
  81. returns {'openshift_variable': '3', 'openshift_other_variable': '7'}
  82. hostvars=<ansible.vars.hostvars.HostVars object> (Mapping)
  83. variables={'openshift_other_variable': '6'}
  84. inventory_hostname='master1.example.com'
  85. returns {'openshift_variable': '3', 'openshift_other_variable': '6'}
  86. """
  87. if not isinstance(hostvars, Mapping):
  88. raise errors.AnsibleFilterError("|failed expects hostvars is dictionary or object")
  89. if not isinstance(variables, dict):
  90. raise errors.AnsibleFilterError("|failed expects variables is a dictionary")
  91. if not isinstance(inventory_hostname, basestring):
  92. raise errors.AnsibleFilterError("|failed expects inventory_hostname is a string")
  93. # pylint: disable=no-member
  94. ansible_version = pkg_resources.get_distribution("ansible").version
  95. merged_hostvars = {}
  96. if LooseVersion(ansible_version) >= LooseVersion('2.0.0'):
  97. merged_hostvars = FilterModule.oo_merge_dicts(hostvars[inventory_hostname],
  98. variables)
  99. else:
  100. merged_hostvars = FilterModule.oo_merge_dicts(hostvars[inventory_hostname],
  101. hostvars)
  102. return merged_hostvars
  103. @staticmethod
  104. def oo_collect(data, attribute=None, filters=None):
  105. """ This takes a list of dict and collects all attributes specified into a
  106. list. If filter is specified then we will include all items that
  107. match _ALL_ of filters. If a dict entry is missing the key in a
  108. filter it will be excluded from the match.
  109. Ex: data = [ {'a':1, 'b':5, 'z': 'z'}, # True, return
  110. {'a':2, 'z': 'z'}, # True, return
  111. {'a':3, 'z': 'z'}, # True, return
  112. {'a':4, 'z': 'b'}, # FAILED, obj['z'] != obj['z']
  113. ]
  114. attribute = 'a'
  115. filters = {'z': 'z'}
  116. returns [1, 2, 3]
  117. """
  118. if not isinstance(data, list):
  119. raise errors.AnsibleFilterError("|failed expects to filter on a List")
  120. if not attribute:
  121. raise errors.AnsibleFilterError("|failed expects attribute to be set")
  122. if filters is not None:
  123. if not isinstance(filters, dict):
  124. raise errors.AnsibleFilterError("|failed expects filter to be a"
  125. " dict")
  126. retval = [FilterModule.get_attr(d, attribute) for d in data if (
  127. all([d.get(key, None) == filters[key] for key in filters]))]
  128. else:
  129. retval = [FilterModule.get_attr(d, attribute) for d in data]
  130. retval = [val for val in retval if val != None]
  131. return retval
  132. @staticmethod
  133. def oo_select_keys_from_list(data, keys):
  134. """ This returns a list, which contains the value portions for the keys
  135. Ex: data = { 'a':1, 'b':2, 'c':3 }
  136. keys = ['a', 'c']
  137. returns [1, 3]
  138. """
  139. if not isinstance(data, list):
  140. raise errors.AnsibleFilterError("|failed expects to filter on a list")
  141. if not isinstance(keys, list):
  142. raise errors.AnsibleFilterError("|failed expects first param is a list")
  143. # Gather up the values for the list of keys passed in
  144. retval = [FilterModule.oo_select_keys(item, keys) for item in data]
  145. return FilterModule.oo_flatten(retval)
  146. @staticmethod
  147. def oo_select_keys(data, keys):
  148. """ This returns a list, which contains the value portions for the keys
  149. Ex: data = { 'a':1, 'b':2, 'c':3 }
  150. keys = ['a', 'c']
  151. returns [1, 3]
  152. """
  153. if not isinstance(data, Mapping):
  154. raise errors.AnsibleFilterError("|failed expects to filter on a dict or object")
  155. if not isinstance(keys, list):
  156. raise errors.AnsibleFilterError("|failed expects first param is a list")
  157. # Gather up the values for the list of keys passed in
  158. retval = [data[key] for key in keys if key in data]
  159. return retval
  160. @staticmethod
  161. def oo_prepend_strings_in_list(data, prepend):
  162. """ This takes a list of strings and prepends a string to each item in the
  163. list
  164. Ex: data = ['cart', 'tree']
  165. prepend = 'apple-'
  166. returns ['apple-cart', 'apple-tree']
  167. """
  168. if not isinstance(data, list):
  169. raise errors.AnsibleFilterError("|failed expects first param is a list")
  170. if not all(isinstance(x, basestring) for x in data):
  171. raise errors.AnsibleFilterError("|failed expects first param is a list"
  172. " of strings")
  173. retval = [prepend + s for s in data]
  174. return retval
  175. @staticmethod
  176. def oo_combine_key_value(data, joiner='='):
  177. """Take a list of dict in the form of { 'key': 'value'} and
  178. arrange them as a list of strings ['key=value']
  179. """
  180. if not isinstance(data, list):
  181. raise errors.AnsibleFilterError("|failed expects first param is a list")
  182. rval = []
  183. for item in data:
  184. rval.append("%s%s%s" % (item['key'], joiner, item['value']))
  185. return rval
  186. @staticmethod
  187. def oo_combine_dict(data, in_joiner='=', out_joiner=' '):
  188. """Take a dict in the form of { 'key': 'value', 'key': 'value' } and
  189. arrange them as a string 'key=value key=value'
  190. """
  191. if not isinstance(data, dict):
  192. raise errors.AnsibleFilterError("|failed expects first param is a dict")
  193. return out_joiner.join([in_joiner.join([k, v]) for k, v in data.items()])
  194. @staticmethod
  195. def oo_ami_selector(data, image_name):
  196. """ This takes a list of amis and an image name and attempts to return
  197. the latest ami.
  198. """
  199. if not isinstance(data, list):
  200. raise errors.AnsibleFilterError("|failed expects first param is a list")
  201. if not data:
  202. return None
  203. else:
  204. if image_name is None or not image_name.endswith('_*'):
  205. ami = sorted(data, key=itemgetter('name'), reverse=True)[0]
  206. return ami['ami_id']
  207. else:
  208. ami_info = [(ami, ami['name'].split('_')[-1]) for ami in data]
  209. ami = sorted(ami_info, key=itemgetter(1), reverse=True)[0][0]
  210. return ami['ami_id']
  211. @staticmethod
  212. def oo_ec2_volume_definition(data, host_type, docker_ephemeral=False):
  213. """ This takes a dictionary of volume definitions and returns a valid ec2
  214. volume definition based on the host_type and the values in the
  215. dictionary.
  216. The dictionary should look similar to this:
  217. { 'master':
  218. { 'root':
  219. { 'volume_size': 10, 'device_type': 'gp2',
  220. 'iops': 500
  221. },
  222. 'docker':
  223. { 'volume_size': 40, 'device_type': 'gp2',
  224. 'iops': 500, 'ephemeral': 'true'
  225. }
  226. },
  227. 'node':
  228. { 'root':
  229. { 'volume_size': 10, 'device_type': 'io1',
  230. 'iops': 1000
  231. },
  232. 'docker':
  233. { 'volume_size': 40, 'device_type': 'gp2',
  234. 'iops': 500, 'ephemeral': 'true'
  235. }
  236. }
  237. }
  238. """
  239. if not isinstance(data, dict):
  240. raise errors.AnsibleFilterError("|failed expects first param is a dict")
  241. if host_type not in ['master', 'node', 'etcd']:
  242. raise errors.AnsibleFilterError("|failed expects etcd, master or node"
  243. " as the host type")
  244. root_vol = data[host_type]['root']
  245. root_vol['device_name'] = '/dev/sda1'
  246. root_vol['delete_on_termination'] = True
  247. if root_vol['device_type'] != 'io1':
  248. root_vol.pop('iops', None)
  249. if host_type in ['master', 'node'] and 'docker' in data[host_type]:
  250. docker_vol = data[host_type]['docker']
  251. docker_vol['device_name'] = '/dev/xvdb'
  252. docker_vol['delete_on_termination'] = True
  253. if docker_vol['device_type'] != 'io1':
  254. docker_vol.pop('iops', None)
  255. if docker_ephemeral:
  256. docker_vol.pop('device_type', None)
  257. docker_vol.pop('delete_on_termination', None)
  258. docker_vol['ephemeral'] = 'ephemeral0'
  259. return [root_vol, docker_vol]
  260. elif host_type == 'etcd' and 'etcd' in data[host_type]:
  261. etcd_vol = data[host_type]['etcd']
  262. etcd_vol['device_name'] = '/dev/xvdb'
  263. etcd_vol['delete_on_termination'] = True
  264. if etcd_vol['device_type'] != 'io1':
  265. etcd_vol.pop('iops', None)
  266. return [root_vol, etcd_vol]
  267. return [root_vol]
  268. @staticmethod
  269. def oo_split(string, separator=','):
  270. """ This splits the input string into a list. If the input string is
  271. already a list we will return it as is.
  272. """
  273. if isinstance(string, list):
  274. return string
  275. return string.split(separator)
  276. @staticmethod
  277. def oo_haproxy_backend_masters(hosts, port):
  278. """ This takes an array of dicts and returns an array of dicts
  279. to be used as a backend for the haproxy role
  280. """
  281. servers = []
  282. for idx, host_info in enumerate(hosts):
  283. server = dict(name="master%s" % idx)
  284. server_ip = host_info['openshift']['common']['ip']
  285. server['address'] = "%s:%s" % (server_ip, port)
  286. server['opts'] = 'check'
  287. servers.append(server)
  288. return servers
  289. @staticmethod
  290. def oo_filter_list(data, filter_attr=None):
  291. """ This returns a list, which contains all items where filter_attr
  292. evaluates to true
  293. Ex: data = [ { a: 1, b: True },
  294. { a: 3, b: False },
  295. { a: 5, b: True } ]
  296. filter_attr = 'b'
  297. returns [ { a: 1, b: True },
  298. { a: 5, b: True } ]
  299. """
  300. if not isinstance(data, list):
  301. raise errors.AnsibleFilterError("|failed expects to filter on a list")
  302. if not isinstance(filter_attr, basestring):
  303. raise errors.AnsibleFilterError("|failed expects filter_attr is a str or unicode")
  304. # Gather up the values for the list of keys passed in
  305. return [x for x in data if filter_attr in x and x[filter_attr]]
  306. @staticmethod
  307. def oo_nodes_with_label(nodes, label, value=None):
  308. """ Filters a list of nodes by label and value (if provided)
  309. It handles labels that are in the following variables by priority:
  310. openshift_node_labels, cli_openshift_node_labels, openshift['node']['labels']
  311. Examples:
  312. data = ['a': {'openshift_node_labels': {'color': 'blue', 'size': 'M'}},
  313. 'b': {'openshift_node_labels': {'color': 'green', 'size': 'L'}},
  314. 'c': {'openshift_node_labels': {'size': 'S'}}]
  315. label = 'color'
  316. returns = ['a': {'openshift_node_labels': {'color': 'blue', 'size': 'M'}},
  317. 'b': {'openshift_node_labels': {'color': 'green', 'size': 'L'}}]
  318. data = ['a': {'openshift_node_labels': {'color': 'blue', 'size': 'M'}},
  319. 'b': {'openshift_node_labels': {'color': 'green', 'size': 'L'}},
  320. 'c': {'openshift_node_labels': {'size': 'S'}}]
  321. label = 'color'
  322. value = 'green'
  323. returns = ['b': {'labels': {'color': 'green', 'size': 'L'}}]
  324. Args:
  325. nodes (list[dict]): list of node to node variables
  326. label (str): label to filter `nodes` by
  327. value (Optional[str]): value of `label` to filter by Defaults
  328. to None.
  329. Returns:
  330. list[dict]: nodes filtered by label and value (if provided)
  331. """
  332. if not isinstance(nodes, list):
  333. raise errors.AnsibleFilterError("failed expects to filter on a list")
  334. if not isinstance(label, basestring):
  335. raise errors.AnsibleFilterError("failed expects label to be a string")
  336. if value is not None and not isinstance(value, basestring):
  337. raise errors.AnsibleFilterError("failed expects value to be a string")
  338. def label_filter(node):
  339. """ filter function for testing if node should be returned """
  340. if not isinstance(node, dict):
  341. raise errors.AnsibleFilterError("failed expects to filter on a list of dicts")
  342. if 'openshift_node_labels' in node:
  343. labels = node['openshift_node_labels']
  344. elif 'cli_openshift_node_labels' in node:
  345. labels = node['cli_openshift_node_labels']
  346. elif 'openshift' in node and 'node' in node['openshift'] and 'labels' in node['openshift']['node']:
  347. labels = node['openshift']['node']['labels']
  348. else:
  349. return False
  350. if isinstance(labels, basestring):
  351. labels = yaml.safe_load(labels)
  352. if not isinstance(labels, dict):
  353. raise errors.AnsibleFilterError(
  354. "failed expected node labels to be a dict or serializable to a dict"
  355. )
  356. return label in labels and (value is None or labels[label] == value)
  357. return [n for n in nodes if label_filter(n)]
  358. @staticmethod
  359. def oo_parse_heat_stack_outputs(data):
  360. """ Formats the HEAT stack output into a usable form
  361. The goal is to transform something like this:
  362. +---------------+-------------------------------------------------+
  363. | Property | Value |
  364. +---------------+-------------------------------------------------+
  365. | capabilities | [] | |
  366. | creation_time | 2015-06-26T12:26:26Z | |
  367. | description | OpenShift cluster | |
  368. | … | … |
  369. | outputs | [ |
  370. | | { |
  371. | | "output_value": "value_A" |
  372. | | "description": "This is the value of Key_A" |
  373. | | "output_key": "Key_A" |
  374. | | }, |
  375. | | { |
  376. | | "output_value": [ |
  377. | | "value_B1", |
  378. | | "value_B2" |
  379. | | ], |
  380. | | "description": "This is the value of Key_B" |
  381. | | "output_key": "Key_B" |
  382. | | }, |
  383. | | ] |
  384. | parameters | { |
  385. | … | … |
  386. +---------------+-------------------------------------------------+
  387. into something like this:
  388. {
  389. "Key_A": "value_A",
  390. "Key_B": [
  391. "value_B1",
  392. "value_B2"
  393. ]
  394. }
  395. """
  396. # Extract the “outputs” JSON snippet from the pretty-printed array
  397. in_outputs = False
  398. outputs = ''
  399. line_regex = re.compile(r'\|\s*(.*?)\s*\|\s*(.*?)\s*\|')
  400. for line in data['stdout_lines']:
  401. match = line_regex.match(line)
  402. if match:
  403. if match.group(1) == 'outputs':
  404. in_outputs = True
  405. elif match.group(1) != '':
  406. in_outputs = False
  407. if in_outputs:
  408. outputs += match.group(2)
  409. outputs = json.loads(outputs)
  410. # Revamp the “outputs” to put it in the form of a “Key: value” map
  411. revamped_outputs = {}
  412. for output in outputs:
  413. revamped_outputs[output['output_key']] = output['output_value']
  414. return revamped_outputs
  415. @staticmethod
  416. # pylint: disable=too-many-branches
  417. def oo_parse_named_certificates(certificates, named_certs_dir, internal_hostnames):
  418. """ Parses names from list of certificate hashes.
  419. Ex: certificates = [{ "certfile": "/root/custom1.crt",
  420. "keyfile": "/root/custom1.key",
  421. "cafile": "/root/custom-ca1.crt" },
  422. { "certfile": "custom2.crt",
  423. "keyfile": "custom2.key",
  424. "cafile": "custom-ca2.crt" }]
  425. returns [{ "certfile": "/etc/origin/master/named_certificates/custom1.crt",
  426. "keyfile": "/etc/origin/master/named_certificates/custom1.key",
  427. "cafile": "/etc/origin/master/named_certificates/custom-ca1.crt",
  428. "names": [ "public-master-host.com",
  429. "other-master-host.com" ] },
  430. { "certfile": "/etc/origin/master/named_certificates/custom2.crt",
  431. "keyfile": "/etc/origin/master/named_certificates/custom2.key",
  432. "cafile": "/etc/origin/master/named_certificates/custom-ca-2.crt",
  433. "names": [ "some-hostname.com" ] }]
  434. """
  435. if not isinstance(named_certs_dir, basestring):
  436. raise errors.AnsibleFilterError("|failed expects named_certs_dir is str or unicode")
  437. if not isinstance(internal_hostnames, list):
  438. raise errors.AnsibleFilterError("|failed expects internal_hostnames is list")
  439. for certificate in certificates:
  440. if 'names' in certificate.keys():
  441. continue
  442. else:
  443. certificate['names'] = []
  444. if not os.path.isfile(certificate['certfile']) or not os.path.isfile(certificate['keyfile']):
  445. raise errors.AnsibleFilterError("|certificate and/or key does not exist '%s', '%s'" %
  446. (certificate['certfile'], certificate['keyfile']))
  447. try:
  448. st_cert = open(certificate['certfile'], 'rt').read()
  449. cert = OpenSSL.crypto.load_certificate(OpenSSL.crypto.FILETYPE_PEM, st_cert)
  450. certificate['names'].append(str(cert.get_subject().commonName.decode()))
  451. for i in range(cert.get_extension_count()):
  452. if cert.get_extension(i).get_short_name() == 'subjectAltName':
  453. for name in str(cert.get_extension(i)).replace('DNS:', '').split(', '):
  454. certificate['names'].append(name)
  455. except:
  456. raise errors.AnsibleFilterError(("|failed to parse certificate '%s', " % certificate['certfile'] +
  457. "please specify certificate names in host inventory"))
  458. if 'cafile' not in certificate:
  459. certificate['names'] = [name for name in certificate['names'] if name not in internal_hostnames]
  460. certificate['names'] = list(set(certificate['names']))
  461. if not certificate['names']:
  462. raise errors.AnsibleFilterError(("|failed to parse certificate '%s' or " % certificate['certfile'] +
  463. "detected a collision with internal hostname, please specify " +
  464. "certificate names in host inventory"))
  465. for certificate in certificates:
  466. # Update paths for configuration
  467. certificate['certfile'] = os.path.join(named_certs_dir, os.path.basename(certificate['certfile']))
  468. certificate['keyfile'] = os.path.join(named_certs_dir, os.path.basename(certificate['keyfile']))
  469. if 'cafile' in certificate:
  470. certificate['cafile'] = os.path.join(named_certs_dir, os.path.basename(certificate['cafile']))
  471. return certificates
  472. @staticmethod
  473. def oo_pretty_print_cluster(data):
  474. """ Read a subset of hostvars and build a summary of the cluster
  475. in the following layout:
  476. "c_id": {
  477. "master": {
  478. "default": [
  479. { "name": "c_id-master-12345", "public IP": "172.16.0.1", "private IP": "192.168.0.1" }
  480. ]
  481. "node": {
  482. "infra": [
  483. { "name": "c_id-node-infra-23456", "public IP": "172.16.0.2", "private IP": "192.168.0.2" }
  484. ],
  485. "compute": [
  486. { "name": "c_id-node-compute-23456", "public IP": "172.16.0.3", "private IP": "192.168.0.3" },
  487. ...
  488. ]
  489. }
  490. """
  491. def _get_tag_value(tags, key):
  492. """ Extract values of a map implemented as a set.
  493. Ex: tags = { 'tag_foo_value1', 'tag_bar_value2', 'tag_baz_value3' }
  494. key = 'bar'
  495. returns 'value2'
  496. """
  497. for tag in tags:
  498. if tag[:len(key)+4] == 'tag_' + key:
  499. return tag[len(key)+5:]
  500. raise KeyError(key)
  501. def _add_host(clusters,
  502. clusterid,
  503. host_type,
  504. sub_host_type,
  505. host):
  506. """ Add a new host in the clusters data structure """
  507. if clusterid not in clusters:
  508. clusters[clusterid] = {}
  509. if host_type not in clusters[clusterid]:
  510. clusters[clusterid][host_type] = {}
  511. if sub_host_type not in clusters[clusterid][host_type]:
  512. clusters[clusterid][host_type][sub_host_type] = []
  513. clusters[clusterid][host_type][sub_host_type].append(host)
  514. clusters = {}
  515. for host in data:
  516. try:
  517. _add_host(clusters=clusters,
  518. clusterid=_get_tag_value(host['group_names'], 'clusterid'),
  519. host_type=_get_tag_value(host['group_names'], 'host-type'),
  520. sub_host_type=_get_tag_value(host['group_names'], 'sub-host-type'),
  521. host={'name': host['inventory_hostname'],
  522. 'public IP': host['ansible_ssh_host'],
  523. 'private IP': host['ansible_default_ipv4']['address']})
  524. except KeyError:
  525. pass
  526. return clusters
  527. @staticmethod
  528. def oo_generate_secret(num_bytes):
  529. """ generate a session secret """
  530. if not isinstance(num_bytes, int):
  531. raise errors.AnsibleFilterError("|failed expects num_bytes is int")
  532. secret = os.urandom(num_bytes)
  533. return secret.encode('base-64').strip()
  534. @staticmethod
  535. def to_padded_yaml(data, level=0, indent=2, **kw):
  536. """ returns a yaml snippet padded to match the indent level you specify """
  537. if data in [None, ""]:
  538. return ""
  539. try:
  540. transformed = yaml.safe_dump(data, indent=indent, allow_unicode=True, default_flow_style=False, **kw)
  541. padded = "\n".join([" " * level * indent + line for line in transformed.splitlines()])
  542. return to_unicode("\n{0}".format(padded))
  543. except Exception as my_e:
  544. raise errors.AnsibleFilterError('Failed to convert: %s', my_e)
  545. @staticmethod
  546. def oo_openshift_env(hostvars):
  547. ''' Return facts which begin with "openshift_" and translate
  548. legacy facts to their openshift_env counterparts.
  549. Ex: hostvars = {'openshift_fact': 42,
  550. 'theyre_taking_the_hobbits_to': 'isengard'}
  551. returns = {'openshift_fact': 42}
  552. '''
  553. if not issubclass(type(hostvars), dict):
  554. raise errors.AnsibleFilterError("|failed expects hostvars is a dict")
  555. facts = {}
  556. regex = re.compile('^openshift_.*')
  557. for key in hostvars:
  558. if regex.match(key):
  559. facts[key] = hostvars[key]
  560. migrations = {'openshift_router_selector': 'openshift_hosted_router_selector',
  561. 'openshift_registry_selector': 'openshift_hosted_registry_selector'}
  562. for old_fact, new_fact in migrations.iteritems():
  563. if old_fact in facts and new_fact not in facts:
  564. facts[new_fact] = facts[old_fact]
  565. return facts
  566. @staticmethod
  567. # pylint: disable=too-many-branches
  568. def oo_persistent_volumes(hostvars, groups, persistent_volumes=None):
  569. """ Generate list of persistent volumes based on oo_openshift_env
  570. storage options set in host variables.
  571. """
  572. if not issubclass(type(hostvars), dict):
  573. raise errors.AnsibleFilterError("|failed expects hostvars is a dict")
  574. if not issubclass(type(groups), dict):
  575. raise errors.AnsibleFilterError("|failed expects groups is a dict")
  576. if persistent_volumes != None and not issubclass(type(persistent_volumes), list):
  577. raise errors.AnsibleFilterError("|failed expects persistent_volumes is a list")
  578. if persistent_volumes == None:
  579. persistent_volumes = []
  580. if 'hosted' in hostvars['openshift']:
  581. for component in hostvars['openshift']['hosted']:
  582. if 'storage' in hostvars['openshift']['hosted'][component]:
  583. params = hostvars['openshift']['hosted'][component]['storage']
  584. kind = params['kind']
  585. create_pv = params['create_pv']
  586. if kind != None and create_pv:
  587. if kind == 'nfs':
  588. host = params['host']
  589. if host == None:
  590. if 'oo_nfs_to_config' in groups and len(groups['oo_nfs_to_config']) > 0:
  591. host = groups['oo_nfs_to_config'][0]
  592. else:
  593. raise errors.AnsibleFilterError("|failed no storage host detected")
  594. directory = params['nfs']['directory']
  595. volume = params['volume']['name']
  596. path = directory + '/' + volume
  597. size = params['volume']['size']
  598. access_modes = params['access_modes']
  599. persistent_volume = dict(
  600. name="{0}-volume".format(volume),
  601. capacity=size,
  602. access_modes=access_modes,
  603. storage=dict(
  604. nfs=dict(
  605. server=host,
  606. path=path)))
  607. persistent_volumes.append(persistent_volume)
  608. elif kind == 'openstack':
  609. volume = params['volume']['name']
  610. size = params['volume']['size']
  611. access_modes = params['access_modes']
  612. filesystem = params['openstack']['filesystem']
  613. volume_id = params['openstack']['volumeID']
  614. persistent_volume = dict(
  615. name="{0}-volume".format(volume),
  616. capacity=size,
  617. access_modes=access_modes,
  618. storage=dict(
  619. cinder=dict(
  620. fsType=filesystem,
  621. volumeID=volume_id)))
  622. persistent_volumes.append(persistent_volume)
  623. elif not (kind == 'object' or kind == 'dynamic'):
  624. msg = "|failed invalid storage kind '{0}' for component '{1}'".format(
  625. kind,
  626. component)
  627. raise errors.AnsibleFilterError(msg)
  628. return persistent_volumes
  629. @staticmethod
  630. def oo_persistent_volume_claims(hostvars, persistent_volume_claims=None):
  631. """ Generate list of persistent volume claims based on oo_openshift_env
  632. storage options set in host variables.
  633. """
  634. if not issubclass(type(hostvars), dict):
  635. raise errors.AnsibleFilterError("|failed expects hostvars is a dict")
  636. if persistent_volume_claims != None and not issubclass(type(persistent_volume_claims), list):
  637. raise errors.AnsibleFilterError("|failed expects persistent_volume_claims is a list")
  638. if persistent_volume_claims == None:
  639. persistent_volume_claims = []
  640. if 'hosted' in hostvars['openshift']:
  641. for component in hostvars['openshift']['hosted']:
  642. if 'storage' in hostvars['openshift']['hosted'][component]:
  643. kind = hostvars['openshift']['hosted'][component]['storage']['kind']
  644. create_pv = hostvars['openshift']['hosted'][component]['storage']['create_pv']
  645. create_pvc = hostvars['openshift']['hosted'][component]['storage']['create_pvc']
  646. if kind != None and create_pv and create_pvc:
  647. volume = hostvars['openshift']['hosted'][component]['storage']['volume']['name']
  648. size = hostvars['openshift']['hosted'][component]['storage']['volume']['size']
  649. access_modes = hostvars['openshift']['hosted'][component]['storage']['access_modes']
  650. persistent_volume_claim = dict(
  651. name="{0}-claim".format(volume),
  652. capacity=size,
  653. access_modes=access_modes)
  654. persistent_volume_claims.append(persistent_volume_claim)
  655. return persistent_volume_claims
  656. @staticmethod
  657. def oo_31_rpm_rename_conversion(rpms, openshift_version=None):
  658. """ Filters a list of 3.0 rpms and return the corresponding 3.1 rpms
  659. names with proper version (if provided)
  660. If 3.1 rpms are passed in they will only be augmented with the
  661. correct version. This is important for hosts that are running both
  662. Masters and Nodes.
  663. """
  664. if not isinstance(rpms, list):
  665. raise errors.AnsibleFilterError("failed expects to filter on a list")
  666. if openshift_version is not None and not isinstance(openshift_version, basestring):
  667. raise errors.AnsibleFilterError("failed expects openshift_version to be a string")
  668. rpms_31 = []
  669. for rpm in rpms:
  670. if not 'atomic' in rpm:
  671. rpm = rpm.replace("openshift", "atomic-openshift")
  672. if openshift_version:
  673. rpm = rpm + openshift_version
  674. rpms_31.append(rpm)
  675. return rpms_31
  676. @staticmethod
  677. def oo_pods_match_component(pods, deployment_type, component):
  678. """ Filters a list of Pods and returns the ones matching the deployment_type and component
  679. """
  680. if not isinstance(pods, list):
  681. raise errors.AnsibleFilterError("failed expects to filter on a list")
  682. if not isinstance(deployment_type, basestring):
  683. raise errors.AnsibleFilterError("failed expects deployment_type to be a string")
  684. if not isinstance(component, basestring):
  685. raise errors.AnsibleFilterError("failed expects component to be a string")
  686. image_prefix = 'openshift/origin-'
  687. if deployment_type in ['enterprise', 'online', 'openshift-enterprise']:
  688. image_prefix = 'openshift3/ose-'
  689. elif deployment_type == 'atomic-enterprise':
  690. image_prefix = 'aep3_beta/aep-'
  691. matching_pods = []
  692. image_regex = image_prefix + component + r'.*'
  693. for pod in pods:
  694. for container in pod['spec']['containers']:
  695. if re.search(image_regex, container['image']):
  696. matching_pods.append(pod)
  697. break # stop here, don't add a pod more than once
  698. return matching_pods
  699. @staticmethod
  700. def oo_get_hosts_from_hostvars(hostvars, hosts):
  701. """ Return a list of hosts from hostvars """
  702. retval = []
  703. for host in hosts:
  704. try:
  705. retval.append(hostvars[host])
  706. except errors.AnsibleError as _:
  707. # host does not exist
  708. pass
  709. return retval
  710. @staticmethod
  711. def oo_image_tag_to_rpm_version(version, include_dash=False):
  712. """ Convert an image tag string to an RPM version if necessary
  713. Empty strings and strings that are already in rpm version format
  714. are ignored. Also remove non semantic version components.
  715. Ex. v3.2.0.10 -> -3.2.0.10
  716. v1.2.0-rc1 -> -1.2.0
  717. """
  718. if not isinstance(version, basestring):
  719. raise errors.AnsibleFilterError("|failed expects a string or unicode")
  720. if version.startswith("v"):
  721. version = version[1:]
  722. # Strip release from requested version, we no longer support this.
  723. version = version.split('-')[0]
  724. if include_dash and version and not version.startswith("-"):
  725. version = "-" + version
  726. return version
  727. @staticmethod
  728. def oo_hostname_from_url(url):
  729. """ Returns the hostname contained in a URL
  730. Ex: https://ose3-master.example.com/v1/api -> ose3-master.example.com
  731. """
  732. if not isinstance(url, basestring):
  733. raise errors.AnsibleFilterError("|failed expects a string or unicode")
  734. parse_result = urlparse(url)
  735. if parse_result.netloc != '':
  736. return parse_result.netloc
  737. else:
  738. # netloc wasn't parsed, assume url was missing scheme and path
  739. return parse_result.path
  740. def filters(self):
  741. """ returns a mapping of filters to methods """
  742. return {
  743. "oo_select_keys": self.oo_select_keys,
  744. "oo_select_keys_from_list": self.oo_select_keys_from_list,
  745. "oo_collect": self.oo_collect,
  746. "oo_flatten": self.oo_flatten,
  747. "oo_pdb": self.oo_pdb,
  748. "oo_prepend_strings_in_list": self.oo_prepend_strings_in_list,
  749. "oo_ami_selector": self.oo_ami_selector,
  750. "oo_ec2_volume_definition": self.oo_ec2_volume_definition,
  751. "oo_combine_key_value": self.oo_combine_key_value,
  752. "oo_combine_dict": self.oo_combine_dict,
  753. "oo_split": self.oo_split,
  754. "oo_filter_list": self.oo_filter_list,
  755. "oo_parse_heat_stack_outputs": self.oo_parse_heat_stack_outputs,
  756. "oo_parse_named_certificates": self.oo_parse_named_certificates,
  757. "oo_haproxy_backend_masters": self.oo_haproxy_backend_masters,
  758. "oo_pretty_print_cluster": self.oo_pretty_print_cluster,
  759. "oo_generate_secret": self.oo_generate_secret,
  760. "to_padded_yaml": self.to_padded_yaml,
  761. "oo_nodes_with_label": self.oo_nodes_with_label,
  762. "oo_openshift_env": self.oo_openshift_env,
  763. "oo_persistent_volumes": self.oo_persistent_volumes,
  764. "oo_persistent_volume_claims": self.oo_persistent_volume_claims,
  765. "oo_31_rpm_rename_conversion": self.oo_31_rpm_rename_conversion,
  766. "oo_pods_match_component": self.oo_pods_match_component,
  767. "oo_get_hosts_from_hostvars": self.oo_get_hosts_from_hostvars,
  768. "oo_image_tag_to_rpm_version": self.oo_image_tag_to_rpm_version,
  769. "oo_merge_dicts": self.oo_merge_dicts,
  770. "oo_hostname_from_url": self.oo_hostname_from_url,
  771. "oo_merge_hostvars": self.oo_merge_hostvars,
  772. }