libvirt_generic.py 6.0 KB

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