libvirt_generic.py 6.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191
  1. #!/usr/bin/env python2
  2. # pylint: skip-file
  3. '''
  4. libvirt external inventory script
  5. =================================
  6. Ansible has a feature where instead of reading from /etc/ansible/hosts
  7. as a text file, it can query external programs to obtain the list
  8. of hosts, groups the hosts are in, and even variables to assign to each host.
  9. To use this, copy this file over /etc/ansible/hosts and chmod +x the file.
  10. This, more or less, allows you to keep one central database containing
  11. info about all of your managed instances.
  12. '''
  13. # (c) 2015, Jason DeTiberus <jdetiber@redhat.com>
  14. #
  15. # This file is part of Ansible,
  16. #
  17. # Ansible is free software: you can redistribute it and/or modify
  18. # it under the terms of the GNU General Public License as published by
  19. # the Free Software Foundation, either version 3 of the License, or
  20. # (at your option) any later version.
  21. #
  22. # Ansible is distributed in the hope that it will be useful,
  23. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  24. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  25. # GNU General Public License for more details.
  26. #
  27. # You should have received a copy of the GNU General Public License
  28. # along with Ansible. If not, see <http://www.gnu.org/licenses/>.
  29. ######################################################################
  30. import argparse
  31. import ConfigParser
  32. import os
  33. import sys
  34. import libvirt
  35. import xml.etree.ElementTree as ET
  36. try:
  37. import json
  38. except ImportError:
  39. import simplejson as json
  40. class LibvirtInventory(object):
  41. ''' libvirt dynamic inventory '''
  42. def __init__(self):
  43. ''' Main execution path '''
  44. self.inventory = dict() # A list of groups and the hosts in that group
  45. self.cache = dict() # Details about hosts in the inventory
  46. # Read settings and parse CLI arguments
  47. self.read_settings()
  48. self.parse_cli_args()
  49. if self.args.host:
  50. print _json_format_dict(self.get_host_info(), self.args.pretty)
  51. elif self.args.list:
  52. print _json_format_dict(self.get_inventory(), self.args.pretty)
  53. else: # default action with no options
  54. print _json_format_dict(self.get_inventory(), self.args.pretty)
  55. def read_settings(self):
  56. ''' Reads the settings from the libvirt.ini file '''
  57. config = ConfigParser.SafeConfigParser()
  58. config.read(
  59. os.path.dirname(os.path.realpath(__file__)) + '/libvirt.ini'
  60. )
  61. self.libvirt_uri = config.get('libvirt', 'uri')
  62. def parse_cli_args(self):
  63. ''' Command line argument processing '''
  64. parser = argparse.ArgumentParser(
  65. description='Produce an Ansible Inventory file based on libvirt'
  66. )
  67. parser.add_argument(
  68. '--list',
  69. action='store_true',
  70. default=True,
  71. help='List instances (default: True)'
  72. )
  73. parser.add_argument(
  74. '--host',
  75. action='store',
  76. help='Get all the variables about a specific instance'
  77. )
  78. parser.add_argument(
  79. '--pretty',
  80. action='store_true',
  81. default=False,
  82. help='Pretty format (default: False)'
  83. )
  84. self.args = parser.parse_args()
  85. def get_host_info(self):
  86. ''' Get variables about a specific host '''
  87. inventory = self.get_inventory()
  88. if self.args.host in inventory['_meta']['hostvars']:
  89. return inventory['_meta']['hostvars'][self.args.host]
  90. def get_inventory(self):
  91. ''' Construct the inventory '''
  92. inventory = dict(_meta=dict(hostvars=dict()))
  93. conn = libvirt.openReadOnly(self.libvirt_uri)
  94. if conn is None:
  95. print "Failed to open connection to %s" % self.libvirt_uri
  96. sys.exit(1)
  97. domains = conn.listAllDomains()
  98. if domains is None:
  99. print "Failed to list domains for connection %s" % self.libvirt_uri
  100. sys.exit(1)
  101. for domain in domains:
  102. hostvars = dict(libvirt_name=domain.name(),
  103. libvirt_id=domain.ID(),
  104. libvirt_uuid=domain.UUIDString())
  105. domain_name = domain.name()
  106. # TODO: add support for guests that are not in a running state
  107. state, _ = domain.state()
  108. # 2 is the state for a running guest
  109. if state != 1:
  110. continue
  111. hostvars['libvirt_status'] = 'running'
  112. root = ET.fromstring(domain.XMLDesc())
  113. ansible_ns = {'ansible': 'https://github.com/ansible/ansible'}
  114. for tag_elem in root.findall('./metadata/ansible:tags/ansible:tag', ansible_ns):
  115. tag = tag_elem.text
  116. _push(inventory, "tag_%s" % tag, domain_name)
  117. _push(hostvars, 'libvirt_tags', tag)
  118. # TODO: support more than one network interface, also support
  119. # interface types other than 'network'
  120. interface = root.find("./devices/interface[@type='network']")
  121. if interface is not None:
  122. source_elem = interface.find('source')
  123. mac_elem = interface.find('mac')
  124. if source_elem is not None and \
  125. mac_elem is not None:
  126. # Adding this to disable pylint check specifically
  127. # ignoring libvirt-python versions that
  128. # do not include DHCPLeases
  129. # This is needed until we upgrade the build bot to
  130. # RHEL7 (>= 1.2.6 libvirt)
  131. # pylint: disable=no-member
  132. dhcp_leases = conn.networkLookupByName(source_elem.get('network')) \
  133. .DHCPLeases(mac_elem.get('address'))
  134. if len(dhcp_leases) > 0:
  135. ip_address = dhcp_leases[0]['ipaddr']
  136. hostvars['ansible_ssh_host'] = ip_address
  137. hostvars['libvirt_ip_address'] = ip_address
  138. inventory['_meta']['hostvars'][domain_name] = hostvars
  139. return inventory
  140. def _push(my_dict, key, element):
  141. '''
  142. Push element to the my_dict[key] list.
  143. After having initialized my_dict[key] if it dosn't exist.
  144. '''
  145. if key in my_dict:
  146. my_dict[key].append(element)
  147. else:
  148. my_dict[key] = [element]
  149. def _json_format_dict(data, pretty=False):
  150. ''' Serialize data to a JSON formated str '''
  151. if pretty:
  152. return json.dumps(data, sort_keys=True, indent=2)
  153. else:
  154. return json.dumps(data)
  155. LibvirtInventory()