kubernetes_register_node.py 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513
  1. #!/usr/bin/python
  2. # -*- coding: utf-8 -*-
  3. # vim: expandtab:tabstop=4:shiftwidth=4
  4. #
  5. # disable pylint checks
  6. # permanently disabled unless someone wants to refactor the object model:
  7. # too-few-public-methods
  8. # no-self-use
  9. # too-many-arguments
  10. # too-many-locals
  11. # too-many-branches
  12. # pylint:disable=too-many-arguments, no-self-use
  13. # pylint:disable=too-many-locals, too-many-branches, too-few-public-methods
  14. """Ansible module to register a kubernetes node to the cluster"""
  15. import os
  16. DOCUMENTATION = '''
  17. ---
  18. module: kubernetes_register_node
  19. short_description: Registers a kubernetes node with a master
  20. description:
  21. - Registers a kubernetes node with a master
  22. options:
  23. name:
  24. default: null
  25. description:
  26. - Identifier for this node (usually the node fqdn).
  27. required: true
  28. api_verison:
  29. choices: ['v1beta1', 'v1beta3']
  30. default: 'v1beta1'
  31. description:
  32. - Kubernetes API version to use
  33. required: true
  34. host_ip:
  35. default: null
  36. description:
  37. - IP Address to associate with the node when registering.
  38. Available in the following API versions: v1beta1.
  39. required: false
  40. cpu:
  41. default: null
  42. description:
  43. - Number of CPUs to allocate for this node. When using the v1beta1
  44. API, you must specify the CPU count as a floating point number
  45. with no more than 3 decimal places. API version v1beta3 and newer
  46. accepts arbitrary float values.
  47. required: false
  48. memory:
  49. default: null
  50. description:
  51. - Memory available for this node. When using the v1beta1 API, you
  52. must specify the memory size in bytes. API version v1beta3 and
  53. newer accepts binary SI and decimal SI values.
  54. required: false
  55. '''
  56. EXAMPLES = '''
  57. # Minimal node registration
  58. - openshift_register_node: name=ose3.node.example.com
  59. # Node registration using the v1beta1 API and assigning 1 CPU core and 10 GB of
  60. # Memory
  61. - openshift_register_node:
  62. name: ose3.node.example.com
  63. api_version: v1beta1
  64. hostIP: 192.168.1.1
  65. cpu: 1
  66. memory: 500000000
  67. '''
  68. class ClientConfigException(Exception):
  69. """Client Configuration Exception"""
  70. pass
  71. class ClientConfig(object):
  72. """ Representation of a client config
  73. Attributes:
  74. config (dict): dictionary representing the client configuration
  75. Args:
  76. client_opts (list of str): client options to use
  77. module (AnsibleModule):
  78. Raises:
  79. ClientConfigException:
  80. """
  81. def __init__(self, client_opts, module):
  82. kubectl = module.params['kubectl_cmd']
  83. _, output, _ = module.run_command((kubectl +
  84. ["config", "view", "-o", "json"] +
  85. client_opts), check_rc=True)
  86. self.config = json.loads(output)
  87. if not (bool(self.config['clusters']) or
  88. bool(self.config['contexts']) or
  89. bool(self.config['current-context']) or
  90. bool(self.config['users'])):
  91. raise ClientConfigException(
  92. "Client config missing required values: %s" % output
  93. )
  94. def current_context(self):
  95. """ Gets the current context for the client config
  96. Returns:
  97. str: The current context as set in the config
  98. """
  99. return self.config['current-context']
  100. def section_has_value(self, section_name, value):
  101. """ Test if specified section contains a value
  102. Args:
  103. section_name (str): config section to test
  104. value (str): value to test if present
  105. Returns:
  106. bool: True if successful, false otherwise
  107. """
  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. """ Test if specified context exists in config
  117. Args:
  118. context (str): value to test if present
  119. Returns:
  120. bool: True if successful, false otherwise
  121. """
  122. return self.section_has_value('contexts', context)
  123. def has_user(self, user):
  124. """ Test if specified user exists in config
  125. Args:
  126. context (str): value to test if present
  127. Returns:
  128. bool: True if successful, false otherwise
  129. """
  130. return self.section_has_value('users', user)
  131. def has_cluster(self, cluster):
  132. """ Test if specified cluster exists in config
  133. Args:
  134. context (str): value to test if present
  135. Returns:
  136. bool: True if successful, false otherwise
  137. """
  138. return self.section_has_value('clusters', cluster)
  139. def get_value_for_context(self, context, attribute):
  140. """ Get the value of attribute in context
  141. Args:
  142. context (str): context to search
  143. attribute (str): attribute wanted
  144. Returns:
  145. str: The value for attribute in context
  146. """
  147. contexts = self.config['contexts']
  148. if isinstance(contexts, dict):
  149. return contexts[context][attribute]
  150. else:
  151. return next((c['context'][attribute] for c in contexts
  152. if c['name'] == context), None)
  153. def get_user_for_context(self, context):
  154. """ Get the user attribute in context
  155. Args:
  156. context (str): context to search
  157. Returns:
  158. str: The value for the attribute in context
  159. """
  160. return self.get_value_for_context(context, 'user')
  161. def get_cluster_for_context(self, context):
  162. """ Get the cluster attribute in context
  163. Args:
  164. context (str): context to search
  165. Returns:
  166. str: The value for the attribute in context
  167. """
  168. return self.get_value_for_context(context, 'cluster')
  169. def get_namespace_for_context(self, context):
  170. """ Get the namespace attribute in context
  171. Args:
  172. context (str): context to search
  173. Returns:
  174. str: The value for the attribute in context
  175. """
  176. return self.get_value_for_context(context, 'namespace')
  177. class Util(object):
  178. """Utility methods"""
  179. @staticmethod
  180. def remove_empty_elements(mapping):
  181. """ Recursively removes empty elements from a dict
  182. Args:
  183. mapping (dict): dict to remove empty attributes from
  184. Returns:
  185. dict: A copy of the dict with empty elements removed
  186. """
  187. if isinstance(mapping, dict):
  188. copy = mapping.copy()
  189. for key, val in mapping.iteritems():
  190. if not val:
  191. del copy[key]
  192. return copy
  193. else:
  194. return mapping
  195. class NodeResources(object):
  196. """ Kubernetes Node Resources
  197. Attributes:
  198. resources (dict): A dictionary representing the node resources
  199. Args:
  200. version (str): kubernetes api version
  201. cpu (str): string representation of the cpu resources for the node
  202. memory (str): string representation of the memory resources for the
  203. node
  204. """
  205. def __init__(self, version, cpu=None, memory=None):
  206. if version == 'v1beta1':
  207. self.resources = dict(capacity=dict())
  208. self.resources['capacity']['cpu'] = cpu
  209. self.resources['capacity']['memory'] = memory
  210. def get_resources(self):
  211. """ Get the dict representing the node resources
  212. Returns:
  213. dict: representation of the node resources with any empty
  214. elements removed
  215. """
  216. return Util.remove_empty_elements(self.resources)
  217. class NodeSpec(object):
  218. """ Kubernetes Node Spec
  219. Attributes:
  220. spec (dict): A dictionary representing the node resources
  221. Args:
  222. version (str): kubernetes api version
  223. cpu (str): string representation of the cpu resources for the node
  224. memory (str): string representation of the memory resources for the
  225. node
  226. cidr (str): string representation of the cidr block available for
  227. the node
  228. externalID (str): The external id of the node
  229. """
  230. def __init__(self, version, cpu=None, memory=None, cidr=None,
  231. externalID=None):
  232. if version == 'v1beta3':
  233. self.spec = dict(podCIDR=cidr, externalID=externalID,
  234. capacity=dict())
  235. self.spec['capacity']['cpu'] = cpu
  236. self.spec['capacity']['memory'] = memory
  237. def get_spec(self):
  238. """ Get the dict representing the node spec
  239. Returns:
  240. dict: representation of the node spec with any empty elements
  241. removed
  242. """
  243. return Util.remove_empty_elements(self.spec)
  244. class Node(object):
  245. """ Kubernetes Node
  246. Attributes:
  247. node (dict): A dictionary representing the node
  248. Args:
  249. module (AnsibleModule):
  250. client_opts (list): client connection options
  251. version (str, optional): kubernetes api version
  252. node_name (str, optional): name for node
  253. hostIP (str, optional): node host ip
  254. cpu (str, optional): cpu resources for the node
  255. memory (str, optional): memory resources for the node
  256. labels (list, optional): labels for the node
  257. annotations (list, optional): annotations for the node
  258. podCIDR (list, optional): cidr block to use for pods
  259. externalID (str, optional): external id of the node
  260. """
  261. def __init__(self, module, client_opts, version='v1beta1', node_name=None,
  262. hostIP=None, cpu=None, memory=None, labels=None,
  263. annotations=None, podCIDR=None, externalID=None):
  264. self.module = module
  265. self.client_opts = client_opts
  266. if version == 'v1beta1':
  267. self.node = dict(id=node_name,
  268. kind='Node',
  269. apiVersion=version,
  270. hostIP=hostIP,
  271. resources=NodeResources(version, cpu, memory),
  272. cidr=podCIDR,
  273. labels=labels,
  274. annotations=annotations,
  275. externalID=externalID)
  276. elif version == 'v1beta3':
  277. metadata = dict(name=node_name,
  278. labels=labels,
  279. annotations=annotations)
  280. self.node = dict(kind='Node',
  281. apiVersion=version,
  282. metadata=metadata,
  283. spec=NodeSpec(version, cpu, memory, podCIDR,
  284. externalID))
  285. def get_name(self):
  286. """ Get the name for the node
  287. Returns:
  288. str: node name
  289. """
  290. if self.node['apiVersion'] == 'v1beta1':
  291. return self.node['id']
  292. elif self.node['apiVersion'] == 'v1beta3':
  293. return self.node['name']
  294. def get_node(self):
  295. """ Get the dict representing the node
  296. Returns:
  297. dict: representation of the node with any empty elements
  298. removed
  299. """
  300. node = self.node.copy()
  301. if self.node['apiVersion'] == 'v1beta1':
  302. node['resources'] = self.node['resources'].get_resources()
  303. elif self.node['apiVersion'] == 'v1beta3':
  304. node['spec'] = self.node['spec'].get_spec()
  305. return Util.remove_empty_elements(node)
  306. def exists(self):
  307. """ Tests if the node already exists
  308. Returns:
  309. bool: True if node exists, otherwise False
  310. """
  311. kubectl = self.module.params['kubectl_cmd']
  312. _, output, _ = self.module.run_command((kubectl + ["get", "nodes"] +
  313. self.client_opts),
  314. check_rc=True)
  315. if re.search(self.module.params['name'], output, re.MULTILINE):
  316. return True
  317. return False
  318. def create(self):
  319. """ Creates the node
  320. Returns:
  321. bool: True if node creation successful
  322. """
  323. kubectl = self.module.params['kubectl_cmd']
  324. cmd = kubectl + self.client_opts + ['create', '-f', '-']
  325. exit_code, output, error = self.module.run_command(
  326. cmd, data=self.module.jsonify(self.get_node())
  327. )
  328. if exit_code != 0:
  329. if re.search("minion \"%s\" already exists" % self.get_name(),
  330. error):
  331. self.module.exit_json(msg="node definition already exists",
  332. changed=False, node=self.get_node())
  333. else:
  334. self.module.fail_json(msg="Node creation failed.",
  335. exit_code=exit_code,
  336. output=output, error=error,
  337. node=self.get_node())
  338. else:
  339. return True
  340. def generate_client_opts(module):
  341. """ Generates the client options
  342. Args:
  343. module(AnsibleModule)
  344. Returns:
  345. str: client options
  346. """
  347. client_config = '~/.kube/.kubeconfig'
  348. if 'default_client_config' in module.params:
  349. client_config = module.params['default_client_config']
  350. user_has_client_config = os.path.exists(os.path.expanduser(client_config))
  351. if not (user_has_client_config or module.params['client_config']):
  352. module.fail_json(msg="Could not locate client configuration, "
  353. "client_config must be specified if "
  354. "~/.kube/.kubeconfig is not present")
  355. client_opts = []
  356. if module.params['client_config']:
  357. kubeconfig_flag = '--kubeconfig'
  358. if 'kubeconfig_flag' in module.params:
  359. kubeconfig_flag = module.params['kubeconfig_flag']
  360. client_opts.append(kubeconfig_flag + '=' + os.path.expanduser(module.params['client_config']))
  361. try:
  362. config = ClientConfig(client_opts, module)
  363. except ClientConfigException as ex:
  364. module.fail_json(msg="Failed to get client configuration",
  365. exception=str(ex))
  366. client_context = module.params['client_context']
  367. if config.has_context(client_context):
  368. if client_context != config.current_context():
  369. client_opts.append("--context=%s" % client_context)
  370. else:
  371. module.fail_json(msg="Context %s not found in client config" % client_context)
  372. client_user = module.params['client_user']
  373. if config.has_user(client_user):
  374. if client_user != config.get_user_for_context(client_context):
  375. client_opts.append("--user=%s" % client_user)
  376. else:
  377. module.fail_json(msg="User %s not found in client config" % client_user)
  378. client_cluster = module.params['client_cluster']
  379. if config.has_cluster(client_cluster):
  380. if client_cluster != config.get_cluster_for_context(client_context):
  381. client_opts.append("--cluster=%s" % client_cluster)
  382. else:
  383. module.fail_json(msg="Cluster %s not found in client config" % client_cluster)
  384. client_namespace = module.params['client_namespace']
  385. if client_namespace != config.get_namespace_for_context(client_context):
  386. client_opts.append("--namespace=%s" % client_namespace)
  387. return client_opts
  388. def main():
  389. """ main """
  390. module = AnsibleModule(
  391. argument_spec=dict(
  392. name=dict(required=True, type='str'),
  393. host_ip=dict(type='str'),
  394. api_version=dict(type='str', default='v1beta1',
  395. choices=['v1beta1', 'v1beta3']),
  396. cpu=dict(type='str'),
  397. memory=dict(type='str'),
  398. # TODO: needs documented
  399. labels=dict(type='dict', default={}),
  400. # TODO: needs documented
  401. annotations=dict(type='dict', default={}),
  402. # TODO: needs documented
  403. pod_cidr=dict(type='str'),
  404. # TODO: needs documented
  405. client_config=dict(type='str'),
  406. # TODO: needs documented
  407. client_cluster=dict(type='str', default='master'),
  408. # TODO: needs documented
  409. client_context=dict(type='str', default='default'),
  410. # TODO: needs documented
  411. client_namespace=dict(type='str', default='default'),
  412. # TODO: needs documented
  413. client_user=dict(type='str', default='system:admin'),
  414. # TODO: needs documented
  415. kubectl_cmd=dict(type='list', default=['kubectl']),
  416. # TODO: needs documented
  417. kubeconfig_flag=dict(type='str'),
  418. # TODO: needs documented
  419. default_client_config=dict(type='str')
  420. ),
  421. supports_check_mode=True
  422. )
  423. labels = module.params['labels']
  424. kube_hostname_label = 'kubernetes.io/hostname'
  425. if kube_hostname_label not in labels:
  426. labels[kube_hostname_label] = module.params['name']
  427. node = Node(module, generate_client_opts(module),
  428. module.params['api_version'], module.params['name'],
  429. module.params['host_ip'], module.params['cpu'],
  430. module.params['memory'], labels, module.params['annotations'],
  431. module.params['pod_cidr'])
  432. if node.exists():
  433. module.exit_json(changed=False, node=node.get_node())
  434. elif module.check_mode:
  435. module.exit_json(changed=True, node=node.get_node())
  436. elif node.create():
  437. module.exit_json(changed=True, msg="Node created successfully",
  438. node=node.get_node())
  439. else:
  440. module.fail_json(msg="Unknown error creating node", node=node.get_node())
  441. # ignore pylint errors related to the module_utils import
  442. # pylint: disable=redefined-builtin, unused-wildcard-import, wildcard-import
  443. # import module snippets
  444. from ansible.module_utils.basic import *
  445. if __name__ == '__main__':
  446. main()