nova.py 6.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224
  1. #!/usr/bin/env python2
  2. # pylint: skip-file
  3. # (c) 2012, Marco Vito Moscaritolo <marco@agavee.com>
  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. import sys
  20. import re
  21. import os
  22. import ConfigParser
  23. from novaclient import client as nova_client
  24. try:
  25. import json
  26. except ImportError:
  27. import simplejson as json
  28. ###################################################
  29. # executed with no parameters, return the list of
  30. # all groups and hosts
  31. NOVA_CONFIG_FILES = [os.getcwd() + "/nova.ini",
  32. os.path.expanduser(os.environ.get('ANSIBLE_CONFIG', "~/nova.ini")),
  33. "/etc/ansible/nova.ini"]
  34. NOVA_DEFAULTS = {
  35. 'auth_system': None,
  36. 'region_name': None,
  37. 'service_type': 'compute',
  38. }
  39. def nova_load_config_file():
  40. p = ConfigParser.SafeConfigParser(NOVA_DEFAULTS)
  41. for path in NOVA_CONFIG_FILES:
  42. if os.path.exists(path):
  43. p.read(path)
  44. return p
  45. return None
  46. def get_fallback(config, value, section="openstack"):
  47. """
  48. Get value from config object and return the value
  49. or false
  50. """
  51. try:
  52. return config.get(section, value)
  53. except ConfigParser.NoOptionError:
  54. return False
  55. def push(data, key, element):
  56. """
  57. Assist in items to a dictionary of lists
  58. """
  59. if (not element) or (not key):
  60. return
  61. if key in data:
  62. data[key].append(element)
  63. else:
  64. data[key] = [element]
  65. def to_safe(word):
  66. '''
  67. Converts 'bad' characters in a string to underscores so they can
  68. be used as Ansible groups
  69. '''
  70. return re.sub(r"[^A-Za-z0-9\-]", "_", word)
  71. def get_ips(server, access_ip=True):
  72. """
  73. Returns a list of the server's IPs, or the preferred
  74. access IP
  75. """
  76. private = []
  77. public = []
  78. address_list = []
  79. # Iterate through each servers network(s), get addresses and get type
  80. addresses = getattr(server, 'addresses', {})
  81. if len(addresses) > 0:
  82. for network in addresses.itervalues():
  83. for address in network:
  84. if address.get('OS-EXT-IPS:type', False) == 'fixed':
  85. private.append(address['addr'])
  86. elif address.get('OS-EXT-IPS:type', False) == 'floating':
  87. public.append(address['addr'])
  88. if not access_ip:
  89. address_list.append(server.accessIPv4)
  90. address_list.extend(private)
  91. address_list.extend(public)
  92. return address_list
  93. access_ip = None
  94. # Append group to list
  95. if server.accessIPv4:
  96. access_ip = server.accessIPv4
  97. if (not access_ip) and public and not (private and prefer_private):
  98. access_ip = public[0]
  99. if private and not access_ip:
  100. access_ip = private[0]
  101. return access_ip
  102. def get_metadata(server):
  103. """Returns dictionary of all host metadata"""
  104. get_ips(server, False)
  105. results = {}
  106. for key in vars(server):
  107. # Extract value
  108. value = getattr(server, key)
  109. # Generate sanitized key
  110. key = 'os_' + re.sub(r"[^A-Za-z0-9\-]", "_", key).lower()
  111. # Att value to instance result (exclude manager class)
  112. #TODO: maybe use value.__class__ or similar inside of key_name
  113. if key != 'os_manager':
  114. results[key] = value
  115. return results
  116. config = nova_load_config_file()
  117. if not config:
  118. sys.exit('Unable to find configfile in %s' % ', '.join(NOVA_CONFIG_FILES))
  119. # Load up connections info based on config and then environment
  120. # variables
  121. username = (get_fallback(config, 'username') or
  122. os.environ.get('OS_USERNAME', None))
  123. api_key = (get_fallback(config, 'api_key') or
  124. os.environ.get('OS_PASSWORD', None))
  125. auth_url = (get_fallback(config, 'auth_url') or
  126. os.environ.get('OS_AUTH_URL', None))
  127. project_id = (get_fallback(config, 'project_id') or
  128. os.environ.get('OS_TENANT_NAME', None))
  129. region_name = (get_fallback(config, 'region_name') or
  130. os.environ.get('OS_REGION_NAME', None))
  131. auth_system = (get_fallback(config, 'auth_system') or
  132. os.environ.get('OS_AUTH_SYSTEM', None))
  133. # Determine what type of IP is preferred to return
  134. prefer_private = False
  135. try:
  136. prefer_private = config.getboolean('openstack', 'prefer_private')
  137. except ConfigParser.NoOptionError:
  138. pass
  139. client = nova_client.Client(
  140. version=config.get('openstack', 'version'),
  141. username=username,
  142. api_key=api_key,
  143. auth_url=auth_url,
  144. region_name=region_name,
  145. project_id=project_id,
  146. auth_system=auth_system,
  147. service_type=config.get('openstack', 'service_type'),
  148. )
  149. # Default or added list option
  150. if (len(sys.argv) == 2 and sys.argv[1] == '--list') or len(sys.argv) == 1:
  151. groups = {'_meta': {'hostvars': {}}}
  152. # Cycle on servers
  153. for server in client.servers.list():
  154. access_ip = get_ips(server)
  155. # Push to name group of 1
  156. push(groups, server.name, access_ip)
  157. # Run through each metadata item and add instance to it
  158. for key, value in server.metadata.iteritems():
  159. composed_key = to_safe('tag_{0}_{1}'.format(key, value))
  160. push(groups, composed_key, access_ip)
  161. # Do special handling of group for backwards compat
  162. # inventory groups
  163. group = server.metadata['group'] if 'group' in server.metadata else 'undefined'
  164. push(groups, group, access_ip)
  165. # Add vars to _meta key for performance optimization in
  166. # Ansible 1.3+
  167. groups['_meta']['hostvars'][access_ip] = get_metadata(server)
  168. # Return server list
  169. print(json.dumps(groups, sort_keys=True, indent=2))
  170. sys.exit(0)
  171. #####################################################
  172. # executed with a hostname as a parameter, return the
  173. # variables for that host
  174. elif len(sys.argv) == 3 and (sys.argv[1] == '--host'):
  175. results = {}
  176. ips = []
  177. for server in client.servers.list():
  178. if sys.argv[2] in (get_ips(server) or []):
  179. results = get_metadata(server)
  180. print(json.dumps(results, sort_keys=True, indent=2))
  181. sys.exit(0)
  182. else:
  183. print "usage: --list ..OR.. --host <hostname>"
  184. sys.exit(1)