generate 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407
  1. #!/bin/env python
  2. """
  3. Attempts to read 'master-config.yaml' and extract remote
  4. host information to dynamically create an inventory file
  5. in order to run Ansible playbooks against that host.
  6. """
  7. import os
  8. import re
  9. import shlex
  10. import shutil
  11. import subprocess
  12. import sys
  13. import yaml
  14. try:
  15. HOME = os.environ['HOME']
  16. except KeyError:
  17. print 'A required environment variable "$HOME" has not been set'
  18. exit(1)
  19. DEFAULT_USER_CONFIG_PATH = '/etc/inventory-generator-config.yaml'
  20. DEFAULT_MASTER_CONFIG_PATH = HOME + '/master-config.yaml'
  21. DEFAULT_ADMIN_KUBECONFIG_PATH = HOME + '/.kube/config'
  22. INVENTORY_FULL_PATH = HOME + '/generated_hosts'
  23. USE_STDOUT = True
  24. if len(sys.argv) > 1:
  25. INVENTORY_FULL_PATH = sys.argv[1]
  26. USE_STDOUT = False
  27. class OpenShiftClientError(Exception):
  28. """Base exception class for OpenShift CLI wrapper"""
  29. pass
  30. class InvalidHost(Exception):
  31. """Base exception class for host creation problems."""
  32. pass
  33. class InvalidHostGroup(Exception):
  34. """Base exception class for host-group creation problems."""
  35. pass
  36. class OpenShiftClient:
  37. oc = None
  38. kubeconfig = None
  39. def __init__(self, kubeconfig=DEFAULT_ADMIN_KUBECONFIG_PATH):
  40. """Find and store path to oc binary"""
  41. # https://github.com/openshift/openshift-ansible/issues/3410
  42. # oc can be in /usr/local/bin in some cases, but that may not
  43. # be in $PATH due to ansible/sudo
  44. paths = os.environ.get("PATH", os.defpath).split(os.pathsep) + ['/usr/local/bin', os.path.expanduser('~/bin')]
  45. oc_binary_name = 'oc'
  46. oc_binary = None
  47. # Use shutil.which if it is available, otherwise fallback to a naive path search
  48. try:
  49. which_result = shutil.which(oc_binary_name, path=os.pathsep.join(paths))
  50. if which_result is not None:
  51. oc_binary = which_result
  52. except AttributeError:
  53. for path in paths:
  54. if os.path.exists(os.path.join(path, oc_binary_name)):
  55. oc_binary = os.path.join(path, oc_binary_name)
  56. break
  57. if oc_binary is None:
  58. raise OpenShiftClientError('Unable to locate `oc` binary. Not present in PATH.')
  59. self.oc = oc_binary
  60. self.kubeconfig = kubeconfig
  61. def call(self, cmd_str):
  62. """Execute a remote call using `oc`"""
  63. cmd = [
  64. self.oc,
  65. ] + shlex.split(cmd_str)
  66. try:
  67. out = subprocess.check_output(list(cmd), stderr=subprocess.STDOUT)
  68. except subprocess.CalledProcessError as err:
  69. raise OpenShiftClientError('[rc {}] {}\n{}'.format(err.returncode, ' '.join(err.cmd), err.output))
  70. return out
  71. def login(self, host, user):
  72. """Login using `oc` to the specified host.
  73. Expects an admin.kubeconfig file to have been provided, and that
  74. the kubeconfig file has a context stanza for the given user.
  75. Although a password is not used, a placeholder is automatically
  76. specified in order to prevent this script from "hanging" in the
  77. event that no valid user stanza exists in the provided kubeconfig."""
  78. call_cmd = 'login {host} -u {u} -p none --config {c}'
  79. return self.call(call_cmd.format(host=host, u=user, c=self.kubeconfig))
  80. def whoami(self):
  81. """Retrieve information about the current user in the given kubeconfig"""
  82. return self.call('whoami')
  83. def get_nodes(self):
  84. """Retrieve remote node information as a yaml object"""
  85. return self.call('get nodes -o yaml')
  86. class HostGroup:
  87. groupname = ""
  88. hosts = list()
  89. def __init__(self, hosts):
  90. if not hosts:
  91. return
  92. first = hosts[0].get_group_name()
  93. for h in hosts:
  94. if h.get_group_name() != first:
  95. raise InvalidHostGroup("Attempt to create HostGroup with hosts of varying groups.")
  96. self.hosts = hosts
  97. self.groupname = first
  98. def add_host(self, host):
  99. """Add a new host to this group."""
  100. self.hosts.append(host)
  101. def get_group_name(self):
  102. """Return the groupname associated with each aggregated host."""
  103. return self.groupname
  104. def get_hosts(self):
  105. """Return aggregated hosts"""
  106. return self.hosts
  107. def string(self):
  108. """Call the print method for each aggregated host; separated by newlines."""
  109. infos = ""
  110. for host in self.hosts:
  111. infos += host.string() + "\n"
  112. return infos
  113. class Host:
  114. group = "masters"
  115. alias = ""
  116. hostname = ""
  117. public_hostname = ""
  118. ip_addr = ""
  119. public_ip_addr = ""
  120. def __init__(self, groupname):
  121. if not groupname:
  122. raise InvalidHost("Attempt to create Host with no group name provided.")
  123. self.group = groupname
  124. def get_group_name(self):
  125. return self.group
  126. def get_openshift_hostname(self):
  127. return self.hostname
  128. def host_alias(self, hostalias):
  129. """Set an alias for this host."""
  130. self.alias = hostalias
  131. def address(self, ip):
  132. """Set the ip address for this host."""
  133. self.ip_addr = ip
  134. def public_address(self, ip):
  135. """Set the external ip address for this host."""
  136. self.public_ip_addr = ip
  137. def host_name(self, hname):
  138. self.hostname = parse_hostname(hname)
  139. def public_host_name(self, phname):
  140. self.public_hostname = parse_hostname(phname)
  141. def string(self):
  142. """Print an inventory-file compatible string with host information"""
  143. info = ""
  144. if self.alias:
  145. info += self.alias + " "
  146. elif self.hostname:
  147. info += self.hostname + " "
  148. elif self.ip_addr:
  149. info += self.ip_addr + " "
  150. if self.ip_addr:
  151. info += "openshift_ip=" + self.ip_addr + " "
  152. if self.public_ip_addr:
  153. info += "openshift_public_ip=" + self.public_ip_addr + " "
  154. if self.hostname:
  155. info += "openshift_hostname=" + self.hostname + " "
  156. if self.public_hostname:
  157. info += "openshift_public_hostname=" + self.public_hostname
  158. return info
  159. def parse_hostname(host):
  160. """Remove protocol and port from given hostname.
  161. Return parsed string"""
  162. no_proto = re.split('^http(s)?\:\/\/', host)
  163. if no_proto:
  164. host = no_proto[-1]
  165. no_port = re.split('\:[0-9]+(/)?$', host)
  166. if no_port:
  167. host = no_port[0]
  168. return host
  169. def main():
  170. """Parse master-config file and populate inventory file."""
  171. # set default values
  172. USER_CONFIG = os.environ.get('CONFIG')
  173. if not USER_CONFIG:
  174. USER_CONFIG = DEFAULT_USER_CONFIG_PATH
  175. # read user configuration
  176. try:
  177. config_file_obj = open(USER_CONFIG, 'r')
  178. raw_config_file = config_file_obj.read()
  179. user_config = yaml.load(raw_config_file)
  180. if not user_config:
  181. user_config = dict()
  182. except IOError as err:
  183. print "Unable to find or read user configuration file '{}': {}".format(USER_CONFIG, err)
  184. exit(1)
  185. master_config_path = user_config.get('master_config_path', DEFAULT_MASTER_CONFIG_PATH)
  186. if not master_config_path:
  187. master_config_path = DEFAULT_MASTER_CONFIG_PATH
  188. admin_kubeconfig_path = user_config.get('admin_kubeconfig_path', DEFAULT_ADMIN_KUBECONFIG_PATH)
  189. if not admin_kubeconfig_path:
  190. admin_kubeconfig_path = DEFAULT_ADMIN_KUBECONFIG_PATH
  191. try:
  192. file_obj = open(master_config_path, 'r')
  193. except IOError as err:
  194. print "Unable to find or read host master configuration file '{}': {}".format(master_config_path, err)
  195. exit(1)
  196. raw_text = file_obj.read()
  197. y = yaml.load(raw_text)
  198. if y.get("kind", "") != "MasterConfig":
  199. print "Bind-mounted host master configuration file is not of 'kind' MasterConfig. Aborting..."
  200. exit(1)
  201. # finish reading config file and begin gathering
  202. # cluster information for inventory file
  203. file_obj.close()
  204. # set inventory values based on user configuration
  205. ansible_ssh_user = user_config.get('ansible_ssh_user', 'root')
  206. ansible_become_user = user_config.get('ansible_become_user')
  207. openshift_uninstall_images = user_config.get('openshift_uninstall_images', False)
  208. openshift_install_examples = user_config.get('openshift_install_examples', True)
  209. openshift_deployment_type = user_config.get('openshift_deployment_type', 'origin')
  210. openshift_release = user_config.get('openshift_release')
  211. openshift_image_tag = user_config.get('openshift_image_tag')
  212. openshift_logging_image_version = user_config.get('openshift_logging_image_version')
  213. openshift_disable_check = user_config.get('openshift_disable_check')
  214. openshift_cluster_user = user_config.get('openshift_cluster_user', 'developer')
  215. # extract host config info from parsed yaml file
  216. asset_config = y.get("assetConfig")
  217. master_config = y.get("kubernetesMasterConfig")
  218. etcd_config = y.get("etcdClientInfo")
  219. # if master_config is missing, error out; we expect to be running on a master to be able to
  220. # gather enough information to generate the rest of the inventory file.
  221. if not master_config:
  222. msg = "'kubernetesMasterConfig' missing from '{}'; unable to gather all necessary host information..."
  223. print msg.format(master_config_path)
  224. exit(1)
  225. master_public_url = y.get("masterPublicURL")
  226. if not master_public_url:
  227. msg = "'kubernetesMasterConfig.masterPublicURL' missing from '{}'; Unable to connect to master host..."
  228. print msg.format(master_config_path)
  229. exit(1)
  230. oc = OpenShiftClient(admin_kubeconfig_path)
  231. # ensure kubeconfig is logged in with provided user, or fail with a friendly message otherwise
  232. try:
  233. oc.whoami()
  234. except OpenShiftClientError as err:
  235. msg = ("Unable to obtain user information using the provided kubeconfig file. "
  236. "User '{}' does not appear to be logged in, or to have correct authorization. "
  237. "Error returned from server:\n\n{}")
  238. print msg.format(openshift_cluster_user, str(err))
  239. exit(1)
  240. # connect to remote host using the provided config and extract all possible node information
  241. nodes_config = yaml.load(oc.get_nodes())
  242. # contains host types (e.g. masters, nodes, etcd)
  243. host_groups = dict()
  244. openshift_hosted_logging_deploy = False
  245. is_etcd_deployed = master_config.get("storage-backend", "") in ["etcd3", "etcd2", "etcd"]
  246. if asset_config and asset_config.get('loggingPublicURL'):
  247. openshift_hosted_logging_deploy = True
  248. openshift_hosted_logging_deploy = user_config.get("openshift_hosted_logging_deploy", openshift_hosted_logging_deploy)
  249. m = Host("masters")
  250. m.address(master_config["masterIP"])
  251. m.public_host_name(master_public_url)
  252. host_groups["masters"] = HostGroup([m])
  253. if nodes_config:
  254. node_hosts = list()
  255. for node in nodes_config.get("items", []):
  256. if node["kind"] != "Node":
  257. continue
  258. n = Host("nodes")
  259. address = ""
  260. internal_hostname = ""
  261. for item in node["status"].get("addresses", []):
  262. if not address and item['type'] in ['InternalIP', 'LegacyHostIP']:
  263. address = item['address']
  264. if item['type'] == 'Hostname':
  265. internal_hostname = item['address']
  266. n.address(address)
  267. n.host_name(internal_hostname)
  268. node_hosts.append(n)
  269. host_groups["nodes"] = HostGroup(node_hosts)
  270. if etcd_config:
  271. etcd_hosts = list()
  272. for url in etcd_config.get("urls", []):
  273. e = Host("etcd")
  274. e.host_name(url)
  275. etcd_hosts.append(e)
  276. host_groups["etcd"] = HostGroup(etcd_hosts)
  277. # open new inventory file for writing
  278. if USE_STDOUT:
  279. inv_file_obj = sys.stdout
  280. else:
  281. try:
  282. inv_file_obj = open(INVENTORY_FULL_PATH, 'w+')
  283. except IOError as err:
  284. print "Unable to create or open generated inventory file: {}".format(err)
  285. exit(1)
  286. inv_file_obj.write("[OSEv3:children]\n")
  287. for group in host_groups:
  288. inv_file_obj.write("{}\n".format(group))
  289. inv_file_obj.write("\n")
  290. inv_file_obj.write("[OSEv3:vars]\n")
  291. if ansible_ssh_user:
  292. inv_file_obj.write("ansible_ssh_user={}\n".format(ansible_ssh_user))
  293. if ansible_become_user:
  294. inv_file_obj.write("ansible_become_user={}\n".format(ansible_become_user))
  295. inv_file_obj.write("ansible_become=yes\n")
  296. if openshift_uninstall_images:
  297. inv_file_obj.write("openshift_uninstall_images={}\n".format(str(openshift_uninstall_images)))
  298. if openshift_deployment_type:
  299. inv_file_obj.write("openshift_deployment_type={}\n".format(openshift_deployment_type))
  300. if openshift_install_examples:
  301. inv_file_obj.write("openshift_install_examples={}\n".format(str(openshift_install_examples)))
  302. if openshift_release:
  303. inv_file_obj.write("openshift_release={}\n".format(str(openshift_release)))
  304. if openshift_image_tag:
  305. inv_file_obj.write("openshift_image_tag={}\n".format(str(openshift_image_tag)))
  306. if openshift_logging_image_version:
  307. inv_file_obj.write("openshift_logging_image_version={}\n".format(str(openshift_logging_image_version)))
  308. if openshift_disable_check:
  309. inv_file_obj.write("openshift_disable_check={}\n".format(str(openshift_disable_check)))
  310. inv_file_obj.write("\n")
  311. inv_file_obj.write("openshift_hosted_logging_deploy={}\n".format(str(openshift_hosted_logging_deploy)))
  312. inv_file_obj.write("\n")
  313. for group in host_groups:
  314. inv_file_obj.write("[{}]\n".format(host_groups[group].get_group_name()))
  315. inv_file_obj.write(host_groups[group].string())
  316. inv_file_obj.write("\n")
  317. inv_file_obj.close()
  318. if __name__ == '__main__':
  319. main()