gce.py 9.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287
  1. #!/usr/bin/env python2
  2. # Copyright 2013 Google Inc.
  3. #
  4. # This file is part of Ansible
  5. #
  6. # Ansible is free software: you can redistribute it and/or modify
  7. # it under the terms of the GNU General Public License as published by
  8. # the Free Software Foundation, either version 3 of the License, or
  9. # (at your option) any later version.
  10. #
  11. # Ansible is distributed in the hope that it will be useful,
  12. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  13. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  14. # GNU General Public License for more details.
  15. #
  16. # You should have received a copy of the GNU General Public License
  17. # along with Ansible. If not, see <http://www.gnu.org/licenses/>.
  18. '''
  19. GCE external inventory script
  20. =================================
  21. Generates inventory that Ansible can understand by making API requests
  22. Google Compute Engine via the libcloud library. Full install/configuration
  23. instructions for the gce* modules can be found in the comments of
  24. ansible/test/gce_tests.py.
  25. When run against a specific host, this script returns the following variables
  26. based on the data obtained from the libcloud Node object:
  27. - gce_uuid
  28. - gce_id
  29. - gce_image
  30. - gce_machine_type
  31. - gce_private_ip
  32. - gce_public_ip
  33. - gce_name
  34. - gce_description
  35. - gce_status
  36. - gce_zone
  37. - gce_tags
  38. - gce_metadata
  39. - gce_network
  40. When run in --list mode, instances are grouped by the following categories:
  41. - zone:
  42. zone group name examples are us-central1-b, europe-west1-a, etc.
  43. - instance tags:
  44. An entry is created for each tag. For example, if you have two instances
  45. with a common tag called 'foo', they will both be grouped together under
  46. the 'tag_foo' name.
  47. - network name:
  48. the name of the network is appended to 'network_' (e.g. the 'default'
  49. network will result in a group named 'network_default')
  50. - machine type
  51. types follow a pattern like n1-standard-4, g1-small, etc.
  52. - running status:
  53. group name prefixed with 'status_' (e.g. status_running, status_stopped,..)
  54. - image:
  55. when using an ephemeral/scratch disk, this will be set to the image name
  56. used when creating the instance (e.g. debian-7-wheezy-v20130816). when
  57. your instance was created with a root persistent disk it will be set to
  58. 'persistent_disk' since there is no current way to determine the image.
  59. Examples:
  60. Execute uname on all instances in the us-central1-a zone
  61. $ ansible -i gce.py us-central1-a -m shell -a "/bin/uname -a"
  62. Use the GCE inventory script to print out instance specific information
  63. $ plugins/inventory/gce.py --host my_instance
  64. Author: Eric Johnson <erjohnso@google.com>
  65. Version: 0.0.1
  66. '''
  67. USER_AGENT_PRODUCT="Ansible-gce_inventory_plugin"
  68. USER_AGENT_VERSION="v1"
  69. import sys
  70. import os
  71. import argparse
  72. import ConfigParser
  73. try:
  74. import json
  75. except ImportError:
  76. import simplejson as json
  77. try:
  78. from libcloud.compute.types import Provider
  79. from libcloud.compute.providers import get_driver
  80. _ = Provider.GCE
  81. except:
  82. print("GCE inventory script requires libcloud >= 0.13")
  83. sys.exit(1)
  84. class GceInventory(object):
  85. def __init__(self):
  86. # Read settings and parse CLI arguments
  87. self.parse_cli_args()
  88. self.driver = self.get_gce_driver()
  89. # Just display data for specific host
  90. if self.args.host:
  91. print self.json_format_dict(self.node_to_dict(
  92. self.get_instance(self.args.host)),
  93. pretty=self.args.pretty)
  94. sys.exit(0)
  95. # Otherwise, assume user wants all instances grouped
  96. print(self.json_format_dict(self.group_instances(),
  97. pretty=self.args.pretty))
  98. sys.exit(0)
  99. def get_gce_driver(self):
  100. """Determine the GCE authorization settings and return a
  101. libcloud driver.
  102. """
  103. gce_ini_default_path = os.path.join(
  104. os.path.dirname(os.path.realpath(__file__)), "gce.ini")
  105. gce_ini_path = os.environ.get('GCE_INI_PATH', gce_ini_default_path)
  106. # Create a ConfigParser.
  107. # This provides empty defaults to each key, so that environment
  108. # variable configuration (as opposed to INI configuration) is able
  109. # to work.
  110. config = ConfigParser.SafeConfigParser(defaults={
  111. 'gce_service_account_email_address': '',
  112. 'gce_service_account_pem_file_path': '',
  113. 'gce_project_id': '',
  114. 'libcloud_secrets': '',
  115. })
  116. if 'gce' not in config.sections():
  117. config.add_section('gce')
  118. config.read(gce_ini_path)
  119. # Attempt to get GCE params from a configuration file, if one
  120. # exists.
  121. secrets_path = config.get('gce', 'libcloud_secrets')
  122. secrets_found = False
  123. try:
  124. import secrets
  125. args = list(getattr(secrets, 'GCE_PARAMS', []))
  126. kwargs = getattr(secrets, 'GCE_KEYWORD_PARAMS', {})
  127. secrets_found = True
  128. except:
  129. pass
  130. if not secrets_found and secrets_path:
  131. if not secrets_path.endswith('secrets.py'):
  132. err = "Must specify libcloud secrets file as "
  133. err += "/absolute/path/to/secrets.py"
  134. print(err)
  135. sys.exit(1)
  136. sys.path.append(os.path.dirname(secrets_path))
  137. try:
  138. import secrets
  139. args = list(getattr(secrets, 'GCE_PARAMS', []))
  140. kwargs = getattr(secrets, 'GCE_KEYWORD_PARAMS', {})
  141. secrets_found = True
  142. except:
  143. pass
  144. if not secrets_found:
  145. args = [
  146. config.get('gce','gce_service_account_email_address'),
  147. config.get('gce','gce_service_account_pem_file_path')
  148. ]
  149. kwargs = {'project': config.get('gce', 'gce_project_id')}
  150. # If the appropriate environment variables are set, they override
  151. # other configuration; process those into our args and kwargs.
  152. args[0] = os.environ.get('GCE_EMAIL', args[0])
  153. args[1] = os.environ.get('GCE_PEM_FILE_PATH', args[1])
  154. kwargs['project'] = os.environ.get('GCE_PROJECT', kwargs['project'])
  155. # Retrieve and return the GCE driver.
  156. gce = get_driver(Provider.GCE)(*args, **kwargs)
  157. gce.connection.user_agent_append(
  158. '%s/%s' % (USER_AGENT_PRODUCT, USER_AGENT_VERSION),
  159. )
  160. return gce
  161. def parse_cli_args(self):
  162. ''' Command line argument processing '''
  163. parser = argparse.ArgumentParser(
  164. description='Produce an Ansible Inventory file based on GCE')
  165. parser.add_argument('--list', action='store_true', default=True,
  166. help='List instances (default: True)')
  167. parser.add_argument('--host', action='store',
  168. help='Get all information about an instance')
  169. parser.add_argument('--pretty', action='store_true', default=False,
  170. help='Pretty format (default: False)')
  171. self.args = parser.parse_args()
  172. def node_to_dict(self, inst):
  173. md = {}
  174. if inst is None:
  175. return {}
  176. if inst.extra['metadata'].has_key('items'):
  177. for entry in inst.extra['metadata']['items']:
  178. md[entry['key']] = entry['value']
  179. net = inst.extra['networkInterfaces'][0]['network'].split('/')[-1]
  180. return {
  181. 'gce_uuid': inst.uuid,
  182. 'gce_id': inst.id,
  183. 'gce_image': inst.image,
  184. 'gce_machine_type': inst.size,
  185. 'gce_private_ip': inst.private_ips[0],
  186. 'gce_public_ip': inst.public_ips[0],
  187. 'gce_name': inst.name,
  188. 'gce_description': inst.extra['description'],
  189. 'gce_status': inst.extra['status'],
  190. 'gce_zone': inst.extra['zone'].name,
  191. 'gce_tags': inst.extra['tags'],
  192. 'gce_metadata': md,
  193. 'gce_network': net,
  194. # Hosts don't have a public name, so we add an IP
  195. 'ansible_ssh_host': inst.public_ips[0]
  196. }
  197. def get_instance(self, instance_name):
  198. '''Gets details about a specific instance '''
  199. try:
  200. return self.driver.ex_get_node(instance_name)
  201. except Exception, e:
  202. return None
  203. def group_instances(self):
  204. '''Group all instances'''
  205. groups = {}
  206. meta = {}
  207. meta["hostvars"] = {}
  208. for node in self.driver.list_nodes():
  209. name = node.name
  210. meta["hostvars"][name] = self.node_to_dict(node)
  211. zone = node.extra['zone'].name
  212. if groups.has_key(zone): groups[zone].append(name)
  213. else: groups[zone] = [name]
  214. tags = node.extra['tags']
  215. for t in tags:
  216. tag = 'tag_%s' % t
  217. if groups.has_key(tag): groups[tag].append(name)
  218. else: groups[tag] = [name]
  219. net = node.extra['networkInterfaces'][0]['network'].split('/')[-1]
  220. net = 'network_%s' % net
  221. if groups.has_key(net): groups[net].append(name)
  222. else: groups[net] = [name]
  223. machine_type = node.size
  224. if groups.has_key(machine_type): groups[machine_type].append(name)
  225. else: groups[machine_type] = [name]
  226. image = node.image and node.image or 'persistent_disk'
  227. if groups.has_key(image): groups[image].append(name)
  228. else: groups[image] = [name]
  229. status = node.extra['status']
  230. stat = 'status_%s' % status.lower()
  231. if groups.has_key(stat): groups[stat].append(name)
  232. else: groups[stat] = [name]
  233. groups["_meta"] = meta
  234. return groups
  235. def json_format_dict(self, data, pretty=False):
  236. ''' Converts a dict to a JSON object and dumps it as a formatted
  237. string '''
  238. if pretty:
  239. return json.dumps(data, sort_keys=True, indent=2)
  240. else:
  241. return json.dumps(data)
  242. # Run the script
  243. GceInventory()