kubernetes_register_node.py 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371
  1. #!/usr/bin/python
  2. # -*- coding: utf-8 -*-
  3. # vim: expandtab:tabstop=4:shiftwidth=4
  4. import os
  5. import multiprocessing
  6. import socket
  7. from subprocess import check_output, Popen
  8. from decimal import *
  9. DOCUMENTATION = '''
  10. ---
  11. module: kubernetes_register_node
  12. short_description: Registers a kubernetes node with a master
  13. description:
  14. - Registers a kubernetes node with a master
  15. options:
  16. name:
  17. default: null
  18. description:
  19. - Identifier for this node (usually the node fqdn).
  20. required: true
  21. api_verison:
  22. choices: ['v1beta1', 'v1beta3']
  23. default: 'v1beta1'
  24. description:
  25. - Kubernetes API version to use
  26. required: true
  27. host_ip:
  28. default: null
  29. description:
  30. - IP Address to associate with the node when registering.
  31. Available in the following API versions: v1beta1.
  32. required: false
  33. hostnames:
  34. default: []
  35. description:
  36. - Valid hostnames for this node. Available in the following API
  37. versions: v1beta3.
  38. required: false
  39. external_ips:
  40. default: []
  41. description:
  42. - External IP Addresses for this node. Available in the following API
  43. versions: v1beta3.
  44. required: false
  45. internal_ips:
  46. default: []
  47. description:
  48. - Internal IP Addresses for this node. Available in the following API
  49. versions: v1beta3.
  50. required: false
  51. cpu:
  52. default: null
  53. description:
  54. - Number of CPUs to allocate for this node. When using the v1beta1
  55. API, you must specify the CPU count as a floating point number
  56. with no more than 3 decimal places. API version v1beta3 and newer
  57. accepts arbitrary float values.
  58. required: false
  59. memory:
  60. default: null
  61. description:
  62. - Memory available for this node. When using the v1beta1 API, you
  63. must specify the memory size in bytes. API version v1beta3 and
  64. newer accepts binary SI and decimal SI values.
  65. required: false
  66. '''
  67. EXAMPLES = '''
  68. # Minimal node registration
  69. - openshift_register_node: name=ose3.node.example.com
  70. # Node registration using the v1beta1 API and assigning 1 CPU core and 10 GB of
  71. # Memory
  72. - openshift_register_node:
  73. name: ose3.node.example.com
  74. api_version: v1beta1
  75. hostIP: 192.168.1.1
  76. cpu: 1
  77. memory: 500000000
  78. # Node registration using the v1beta3 API, setting an alternate hostname,
  79. # internalIP, externalIP and assigning 3.5 CPU cores and 1 TiB of Memory
  80. - openshift_register_node:
  81. name: ose3.node.example.com
  82. api_version: v1beta3
  83. external_ips: ['192.168.1.5']
  84. internal_ips: ['10.0.0.5']
  85. hostnames: ['ose2.node.internal.local']
  86. cpu: 3.5
  87. memory: 1Ti
  88. '''
  89. class ClientConfigException(Exception):
  90. pass
  91. class ClientConfig:
  92. def __init__(self, client_opts, module):
  93. _, output, error = module.run_command(["/usr/bin/openshift", "ex",
  94. "config", "view", "-o",
  95. "json"] + client_opts,
  96. check_rc = True)
  97. self.config = json.loads(output)
  98. if not (bool(self.config['clusters']) or
  99. bool(self.config['contexts']) or
  100. bool(self.config['current-context']) or
  101. bool(self.config['users'])):
  102. raise ClientConfigException(msg="Client config missing required " \
  103. "values",
  104. output=output)
  105. def current_context(self):
  106. return self.config['current-context']
  107. def section_has_value(self, section_name, value):
  108. section = self.config[section_name]
  109. if isinstance(section, dict):
  110. return value in section
  111. else:
  112. val = next((item for item in section
  113. if item['name'] == value), None)
  114. return val is not None
  115. def has_context(self, context):
  116. return self.section_has_value('contexts', context)
  117. def has_user(self, user):
  118. return self.section_has_value('users', user)
  119. def has_cluster(self, cluster):
  120. return self.section_has_value('clusters', cluster)
  121. def get_value_for_context(self, context, attribute):
  122. contexts = self.config['contexts']
  123. if isinstance(contexts, dict):
  124. return contexts[context][attribute]
  125. else:
  126. return next((c['context'][attribute] for c in contexts
  127. if c['name'] == context), None)
  128. def get_user_for_context(self, context):
  129. return self.get_value_for_context(context, 'user')
  130. def get_cluster_for_context(self, context):
  131. return self.get_value_for_context(context, 'cluster')
  132. class Util:
  133. @staticmethod
  134. def remove_empty_elements(mapping):
  135. if isinstance(mapping, dict):
  136. m = mapping.copy()
  137. for key, val in mapping.iteritems():
  138. if not val:
  139. del m[key]
  140. return m
  141. else:
  142. return mapping
  143. class NodeResources:
  144. def __init__(self, version, cpu=None, memory=None):
  145. if version == 'v1beta1':
  146. self.resources = dict(capacity=dict())
  147. self.resources['capacity']['cpu'] = cpu
  148. self.resources['capacity']['memory'] = memory
  149. def get_resources(self):
  150. return Util.remove_empty_elements(self.resources)
  151. class NodeSpec:
  152. def __init__(self, version, cpu=None, memory=None, cidr=None, externalID=None):
  153. if version == 'v1beta3':
  154. self.spec = dict(podCIDR=cidr, externalID=externalID,
  155. capacity=dict())
  156. self.spec['capacity']['cpu'] = cpu
  157. self.spec['capacity']['memory'] = memory
  158. def get_spec(self):
  159. return Util.remove_empty_elements(self.spec)
  160. class NodeStatus:
  161. def addAddresses(self, addressType, addresses):
  162. addressList = []
  163. for address in addresses:
  164. addressList.append(dict(type=addressType, address=address))
  165. return addressList
  166. def __init__(self, version, externalIPs = [], internalIPs = [],
  167. hostnames = []):
  168. if version == 'v1beta3':
  169. self.status = dict(addresses = addAddresses('ExternalIP',
  170. externalIPs) +
  171. addAddresses('InternalIP',
  172. internalIPs) +
  173. addAddresses('Hostname',
  174. hostnames))
  175. def get_status(self):
  176. return Util.remove_empty_elements(self.status)
  177. class Node:
  178. def __init__(self, module, client_opts, version='v1beta1', name=None,
  179. hostIP = None, hostnames=[], externalIPs=[], internalIPs=[],
  180. cpu=None, memory=None, labels=dict(), annotations=dict(),
  181. podCIDR=None, externalID=None):
  182. self.module = module
  183. self.client_opts = client_opts
  184. if version == 'v1beta1':
  185. self.node = dict(id = name,
  186. kind = 'Node',
  187. apiVersion = version,
  188. hostIP = hostIP,
  189. resources = NodeResources(version, cpu, memory),
  190. cidr = podCIDR,
  191. labels = labels,
  192. annotations = annotations,
  193. externalID = externalID
  194. )
  195. elif version == 'v1beta3':
  196. metadata = dict(name = name,
  197. labels = labels,
  198. annotations = annotations
  199. )
  200. self.node = dict(kind = 'Node',
  201. apiVersion = version,
  202. metadata = metadata,
  203. spec = NodeSpec(version, cpu, memory, podCIDR,
  204. externalID),
  205. status = NodeStatus(version, externalIPs,
  206. internalIPs, hostnames),
  207. )
  208. def get_name(self):
  209. if self.node['apiVersion'] == 'v1beta1':
  210. return self.node['id']
  211. elif self.node['apiVersion'] == 'v1beta3':
  212. return self.node['name']
  213. def get_node(self):
  214. node = self.node.copy()
  215. if self.node['apiVersion'] == 'v1beta1':
  216. node['resources'] = self.node['resources'].get_resources()
  217. elif self.node['apiVersion'] == 'v1beta3':
  218. node['spec'] = self.node['spec'].get_spec()
  219. node['status'] = self.node['status'].get_status()
  220. return Util.remove_empty_elements(node)
  221. def exists(self):
  222. _, output, error = self.module.run_command(["/usr/bin/osc", "get",
  223. "nodes"] + self.client_opts,
  224. check_rc = True)
  225. if re.search(self.module.params['name'], output, re.MULTILINE):
  226. return True
  227. return False
  228. def create(self):
  229. cmd = ['/usr/bin/osc'] + self.client_opts + ['create', 'node', '-f', '-']
  230. rc, output, error = self.module.run_command(cmd,
  231. data=self.module.jsonify(self.get_node()))
  232. if rc != 0:
  233. if re.search("minion \"%s\" already exists" % self.get_name(),
  234. error):
  235. self.module.exit_json(changed=False,
  236. msg="node definition already exists",
  237. node=self.get_node())
  238. else:
  239. self.module.fail_json(msg="Node creation failed.", rc=rc,
  240. output=output, error=error,
  241. node=self.get_node())
  242. else:
  243. return True
  244. def main():
  245. module = AnsibleModule(
  246. argument_spec = dict(
  247. name = dict(required = True, type = 'str'),
  248. host_ip = dict(type = 'str'),
  249. hostnames = dict(type = 'list', default = []),
  250. external_ips = dict(type = 'list', default = []),
  251. internal_ips = dict(type = 'list', default = []),
  252. api_version = dict(type = 'str', default = 'v1beta1', # TODO: after kube rebase, we can default to v1beta3
  253. choices = ['v1beta1', 'v1beta3']),
  254. cpu = dict(type = 'str'),
  255. memory = dict(type = 'str'),
  256. labels = dict(type = 'dict', default = {}), # TODO: needs documented
  257. annotations = dict(type = 'dict', default = {}), # TODO: needs documented
  258. pod_cidr = dict(type = 'str'), # TODO: needs documented
  259. external_id = dict(type = 'str'), # TODO: needs documented
  260. client_config = dict(type = 'str'), # TODO: needs documented
  261. client_cluster = dict(type = 'str', default = 'master'), # TODO: needs documented
  262. client_context = dict(type = 'str', default = 'master'), # TODO: needs documented
  263. client_user = dict(type = 'str', default = 'admin') # TODO: needs documented
  264. ),
  265. mutually_exclusive = [
  266. ['host_ip', 'external_ips'],
  267. ['host_ip', 'internal_ips'],
  268. ['host_ip', 'hostnames'],
  269. ],
  270. supports_check_mode=True
  271. )
  272. user_has_client_config = os.path.exists(os.path.expanduser('~/.kube/.kubeconfig'))
  273. if not (user_has_client_config or module.params['client_config']):
  274. module.fail_json(msg="Could not locate client configuration, "
  275. "client_config must be specified if "
  276. "~/.kube/.kubeconfig is not present")
  277. client_opts = []
  278. if module.params['client_config']:
  279. client_opts.append("--kubeconfig=%s" % module.params['client_config'])
  280. try:
  281. config = ClientConfig(client_opts, module)
  282. except ClientConfigException as e:
  283. module.fail_json(msg="Failed to get client configuration", exception=e)
  284. client_context = module.params['client_context']
  285. if config.has_context(client_context):
  286. if client_context != config.current_context():
  287. client_opts.append("--context=%s" % client_context)
  288. else:
  289. module.fail_json(msg="Context %s not found in client config" %
  290. client_context)
  291. client_user = module.params['client_user']
  292. if config.has_user(client_user):
  293. if client_user != config.get_user_for_context(client_context):
  294. client_opts.append("--user=%s" % client_user)
  295. else:
  296. module.fail_json(msg="User %s not found in client config" %
  297. client_user)
  298. client_cluster = module.params['client_cluster']
  299. if config.has_cluster(client_cluster):
  300. if client_cluster != config.get_cluster_for_context(client_cluster):
  301. client_opts.append("--cluster=%s" % client_cluster)
  302. else:
  303. module.fail_json(msg="Cluster %s not found in client config" %
  304. client_cluster)
  305. # TODO: provide sane defaults for some (like hostname, externalIP,
  306. # internalIP, etc)
  307. node = Node(module, client_opts, module.params['api_version'],
  308. module.params['name'], module.params['host_ip'],
  309. module.params['hostnames'], module.params['external_ips'],
  310. module.params['internal_ips'], module.params['cpu'],
  311. module.params['memory'], module.params['labels'],
  312. module.params['annotations'], module.params['pod_cidr'],
  313. module.params['external_id'])
  314. # TODO: attempt to support changing node settings where possible and/or
  315. # modifying node resources
  316. if node.exists():
  317. module.exit_json(changed=False, node=node.get_node())
  318. elif module.check_mode:
  319. module.exit_json(changed=True, node=node.get_node())
  320. else:
  321. if node.create():
  322. module.exit_json(changed=True,
  323. msg="Node created successfully",
  324. node=node.get_node())
  325. else:
  326. module.fail_json(msg="Unknown error creating node",
  327. node=node.get_node())
  328. # import module snippets
  329. from ansible.module_utils.basic import *
  330. if __name__ == '__main__':
  331. main()