gce.py 10 KB

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