zbxapi.py 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370
  1. #!/usr/bin/env python
  2. # vim: expandtab:tabstop=4:shiftwidth=4
  3. '''
  4. ZabbixAPI ansible module
  5. '''
  6. # Copyright 2015 Red Hat Inc.
  7. #
  8. # Licensed under the Apache License, Version 2.0 (the "License");
  9. # you may not use this file except in compliance with the License.
  10. # You may obtain a copy of the License at
  11. #
  12. # http://www.apache.org/licenses/LICENSE-2.0
  13. #
  14. # Unless required by applicable law or agreed to in writing, software
  15. # distributed under the License is distributed on an "AS IS" BASIS,
  16. # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  17. # See the License for the specific language governing permissions and
  18. # limitations under the License.
  19. #
  20. # Purpose: An ansible module to communicate with zabbix.
  21. #
  22. # pylint: disable=line-too-long
  23. # Disabling line length for readability
  24. import json
  25. import httplib2
  26. import sys
  27. import os
  28. import re
  29. import copy
  30. class ZabbixAPIError(Exception):
  31. '''
  32. ZabbixAPIError
  33. Exists to propagate errors up from the api
  34. '''
  35. pass
  36. class ZabbixAPI(object):
  37. '''
  38. ZabbixAPI class
  39. '''
  40. classes = {
  41. 'Action': ['create', 'delete', 'get', 'update'],
  42. 'Alert': ['get'],
  43. 'Application': ['create', 'delete', 'get', 'massadd', 'update'],
  44. 'Configuration': ['export', 'import'],
  45. 'Dcheck': ['get'],
  46. 'Dhost': ['get'],
  47. 'Drule': ['copy', 'create', 'delete', 'get', 'isreadable', 'iswritable', 'update'],
  48. 'Dservice': ['get'],
  49. 'Event': ['acknowledge', 'get'],
  50. 'Graph': ['create', 'delete', 'get', 'update'],
  51. 'Graphitem': ['get'],
  52. 'Graphprototype': ['create', 'delete', 'get', 'update'],
  53. 'History': ['get'],
  54. 'Hostgroup': ['create', 'delete', 'get', 'isreadable', 'iswritable', 'massadd', 'massremove', 'massupdate', 'update'],
  55. 'Hostinterface': ['create', 'delete', 'get', 'massadd', 'massremove', 'replacehostinterfaces', 'update'],
  56. 'Host': ['create', 'delete', 'get', 'isreadable', 'iswritable', 'massadd', 'massremove', 'massupdate', 'update'],
  57. 'Hostprototype': ['create', 'delete', 'get', 'isreadable', 'iswritable', 'update'],
  58. 'Httptest': ['create', 'delete', 'get', 'isreadable', 'iswritable', 'update'],
  59. 'Iconmap': ['create', 'delete', 'get', 'isreadable', 'iswritable', 'update'],
  60. 'Image': ['create', 'delete', 'get', 'update'],
  61. 'Item': ['create', 'delete', 'get', 'isreadable', 'iswritable', 'update'],
  62. 'Itemprototype': ['create', 'delete', 'get', 'isreadable', 'iswritable', 'update'],
  63. 'Maintenance': ['create', 'delete', 'get', 'update'],
  64. 'Map': ['create', 'delete', 'get', 'isreadable', 'iswritable', 'update'],
  65. 'Mediatype': ['create', 'delete', 'get', 'update'],
  66. 'Proxy': ['create', 'delete', 'get', 'isreadable', 'iswritable', 'update'],
  67. 'Screen': ['create', 'delete', 'get', 'update'],
  68. 'Screenitem': ['create', 'delete', 'get', 'isreadable', 'iswritable', 'update', 'updatebyposition'],
  69. 'Script': ['create', 'delete', 'execute', 'get', 'getscriptsbyhosts', 'update'],
  70. 'Service': ['adddependencies', 'addtimes', 'create', 'delete', 'deletedependencies', 'deletetimes', 'get', 'getsla', 'isreadable', 'iswritable', 'update'],
  71. 'Template': ['create', 'delete', 'get', 'isreadable', 'iswritable', 'massadd', 'massremove', 'massupdate', 'update'],
  72. 'Templatescreen': ['copy', 'create', 'delete', 'get', 'isreadable', 'iswritable', 'update'],
  73. 'Templatescreenitem': ['get'],
  74. 'Trigger': ['adddependencies', 'create', 'delete', 'deletedependencies', 'get', 'isreadable', 'iswritable', 'update'],
  75. 'Triggerprototype': ['create', 'delete', 'get', 'update'],
  76. 'User': ['addmedia', 'create', 'delete', 'deletemedia', 'get', 'isreadable', 'iswritable', 'login', 'logout', 'update', 'updatemedia', 'updateprofile'],
  77. 'Usergroup': ['create', 'delete', 'get', 'isreadable', 'iswritable', 'massadd', 'massupdate', 'update'],
  78. 'Usermacro': ['create', 'createglobal', 'delete', 'deleteglobal', 'get', 'update', 'updateglobal'],
  79. 'Usermedia': ['get'],
  80. }
  81. def __init__(self, data=None):
  82. if not data:
  83. data = {}
  84. self.server = data.get('server', None)
  85. self.username = data.get('user', None)
  86. self.password = data.get('password', None)
  87. if any([value == None for value in [self.server, self.username, self.password]]):
  88. print 'Please specify zabbix server url, username, and password.'
  89. sys.exit(1)
  90. self.verbose = data.get('verbose', False)
  91. self.use_ssl = data.has_key('use_ssl')
  92. self.auth = None
  93. for cname, _ in self.classes.items():
  94. setattr(self, cname.lower(), getattr(self, cname)(self))
  95. # pylint: disable=no-member
  96. # This method does not exist until the metaprogramming executed
  97. # This is permanently disabled.
  98. results = self.user.login(user=self.username, password=self.password)
  99. if results[0]['status'] == '200':
  100. if results[1].has_key('result'):
  101. self.auth = results[1]['result']
  102. elif results[1].has_key('error'):
  103. print "Unable to authenticate with zabbix server. {0} ".format(results[1]['error'])
  104. sys.exit(1)
  105. else:
  106. print "Error in call to zabbix. Http status: {0}.".format(results[0]['status'])
  107. sys.exit(1)
  108. def perform(self, method, rpc_params):
  109. '''
  110. This method calls your zabbix server.
  111. It requires the following parameters in order for a proper request to be processed:
  112. jsonrpc - the version of the JSON-RPC protocol used by the API;
  113. the Zabbix API implements JSON-RPC version 2.0;
  114. method - the API method being called;
  115. rpc_params - parameters that will be passed to the API method;
  116. id - an arbitrary identifier of the request;
  117. auth - a user authentication token; since we don't have one yet, it's set to null.
  118. '''
  119. http_method = "POST"
  120. jsonrpc = "2.0"
  121. rid = 1
  122. http = None
  123. if self.use_ssl:
  124. http = httplib2.Http()
  125. else:
  126. http = httplib2.Http(disable_ssl_certificate_validation=True,)
  127. headers = {}
  128. headers["Content-type"] = "application/json"
  129. body = {
  130. "jsonrpc": jsonrpc,
  131. "method": method,
  132. "params": rpc_params.get('params', {}),
  133. "id": rid,
  134. 'auth': self.auth,
  135. }
  136. if method in ['user.login', 'api.version']:
  137. del body['auth']
  138. body = json.dumps(body)
  139. if self.verbose:
  140. print body
  141. print method
  142. print headers
  143. httplib2.debuglevel = 1
  144. response, content = http.request(self.server, http_method, body, headers)
  145. if response['status'] not in ['200', '201']:
  146. raise ZabbixAPIError('Error calling zabbix. Zabbix returned %s' % response['status'])
  147. if self.verbose:
  148. print response
  149. print content
  150. try:
  151. content = json.loads(content)
  152. except ValueError as err:
  153. content = {"error": err.message}
  154. return response, content
  155. @staticmethod
  156. def meta(cname, method_names):
  157. '''
  158. This bit of metaprogramming is where the ZabbixAPI subclasses are created.
  159. For each of ZabbixAPI.classes we create a class from the key and methods
  160. from the ZabbixAPI.classes values. We pass a reference to ZabbixAPI class
  161. to each subclass in order for each to be able to call the perform method.
  162. '''
  163. def meta_method(_class, method_name):
  164. '''
  165. This meta method allows a class to add methods to it.
  166. '''
  167. # This template method is a stub method for each of the subclass
  168. # methods.
  169. def template_method(self, params=None, **rpc_params):
  170. '''
  171. This template method is a stub method for each of the subclass methods.
  172. '''
  173. if params:
  174. rpc_params['params'] = params
  175. else:
  176. rpc_params['params'] = copy.deepcopy(rpc_params)
  177. return self.parent.perform(cname.lower()+"."+method_name, rpc_params)
  178. template_method.__doc__ = \
  179. "https://www.zabbix.com/documentation/2.4/manual/api/reference/%s/%s" % \
  180. (cname.lower(), method_name)
  181. template_method.__name__ = method_name
  182. # this is where the template method is placed inside of the subclass
  183. # e.g. setattr(User, "create", stub_method)
  184. setattr(_class, template_method.__name__, template_method)
  185. # This class call instantiates a subclass. e.g. User
  186. _class = type(cname,
  187. (object,),
  188. {'__doc__': \
  189. "https://www.zabbix.com/documentation/2.4/manual/api/reference/%s" % cname.lower()})
  190. def __init__(self, parent):
  191. '''
  192. This init method gets placed inside of the _class
  193. to allow it to be instantiated. A reference to the parent class(ZabbixAPI)
  194. is passed in to allow each class access to the perform method.
  195. '''
  196. self.parent = parent
  197. # This attaches the init to the subclass. e.g. Create
  198. setattr(_class, __init__.__name__, __init__)
  199. # For each of our ZabbixAPI.classes dict values
  200. # Create a method and attach it to our subclass.
  201. # e.g. 'User': ['delete', 'get', 'updatemedia', 'updateprofile',
  202. # 'update', 'iswritable', 'logout', 'addmedia', 'create',
  203. # 'login', 'deletemedia', 'isreadable'],
  204. # User.delete
  205. # User.get
  206. for method_name in method_names:
  207. meta_method(_class, method_name)
  208. # Return our subclass with all methods attached
  209. return _class
  210. # Attach all ZabbixAPI.classes to ZabbixAPI class through metaprogramming
  211. for _class_name, _method_names in ZabbixAPI.classes.items():
  212. setattr(ZabbixAPI, _class_name, ZabbixAPI.meta(_class_name, _method_names))
  213. def exists(content, key='result'):
  214. ''' Check if key exists in content or the size of content[key] > 0
  215. '''
  216. if not content.has_key(key):
  217. return False
  218. if not content[key]:
  219. return False
  220. return True
  221. def diff_content(from_zabbix, from_user):
  222. ''' Compare passed in object to results returned from zabbix
  223. '''
  224. terms = ['search', 'output', 'groups', 'select', 'expand']
  225. regex = '(' + '|'.join(terms) + ')'
  226. retval = {}
  227. for key, value in from_user.items():
  228. if re.findall(regex, key):
  229. continue
  230. if from_zabbix[key] != str(value):
  231. retval[key] = str(value)
  232. return retval
  233. def main():
  234. '''
  235. This main method runs the ZabbixAPI Ansible Module
  236. '''
  237. module = AnsibleModule(
  238. argument_spec=dict(
  239. server=dict(default='https://localhost/zabbix/api_jsonrpc.php', type='str'),
  240. user=dict(default=None, type='str'),
  241. password=dict(default=None, type='str'),
  242. zbx_class=dict(choices=ZabbixAPI.classes.keys()),
  243. params=dict(),
  244. debug=dict(default=False, type='bool'),
  245. state=dict(default='present', type='str'),
  246. ),
  247. #supports_check_mode=True
  248. )
  249. user = module.params.get('user', None)
  250. if not user:
  251. user = os.environ['ZABBIX_USER']
  252. passwd = module.params.get('password', None)
  253. if not passwd:
  254. passwd = os.environ['ZABBIX_PASSWORD']
  255. api_data = {
  256. 'user': user,
  257. 'password': passwd,
  258. 'server': module.params['server'],
  259. 'verbose': module.params['debug']
  260. }
  261. if not user or not passwd or not module.params['server']:
  262. module.fail_json(msg='Please specify the user, password, and the zabbix server.')
  263. zapi = ZabbixAPI(api_data)
  264. zbx_class = module.params.get('zbx_class')
  265. rpc_params = module.params.get('params', {})
  266. state = module.params.get('state')
  267. # Get the instance we are trying to call
  268. zbx_class_inst = zapi.__getattribute__(zbx_class.lower())
  269. # perform get
  270. # Get the instance's method we are trying to call
  271. zbx_action_method = zapi.__getattribute__(zbx_class.capitalize()).__dict__['get']
  272. _, content = zbx_action_method(zbx_class_inst, rpc_params)
  273. if state == 'list':
  274. module.exit_json(changed=False, results=content['result'], state="list")
  275. if state == 'absent':
  276. if not exists(content):
  277. module.exit_json(changed=False, state="absent")
  278. # If we are coming from a query, we need to pass in the correct rpc_params for delete.
  279. # specifically the zabbix class name + 'id'
  280. # if rpc_params is a list then we need to pass it. (list of ids to delete)
  281. idname = zbx_class.lower() + "id"
  282. if not isinstance(rpc_params, list) and content['result'][0].has_key(idname):
  283. rpc_params = [content['result'][0][idname]]
  284. zbx_action_method = zapi.__getattribute__(zbx_class.capitalize()).__dict__['delete']
  285. _, content = zbx_action_method(zbx_class_inst, rpc_params)
  286. module.exit_json(changed=True, results=content['result'], state="absent")
  287. if state == 'present':
  288. # It's not there, create it!
  289. if not exists(content):
  290. zbx_action_method = zapi.__getattribute__(zbx_class.capitalize()).__dict__['create']
  291. _, content = zbx_action_method(zbx_class_inst, rpc_params)
  292. module.exit_json(changed=True, results=content['result'], state='present')
  293. # It's there and the same, do nothing!
  294. diff_params = diff_content(content['result'][0], rpc_params)
  295. if not diff_params:
  296. module.exit_json(changed=False, results=content['result'], state="present")
  297. # Add the id to update with
  298. idname = zbx_class.lower() + "id"
  299. diff_params[idname] = content['result'][0][idname]
  300. ## It's there and not the same, update it!
  301. zbx_action_method = zapi.__getattribute__(zbx_class.capitalize()).__dict__['update']
  302. _, content = zbx_action_method(zbx_class_inst, diff_params)
  303. module.exit_json(changed=True, results=content, state="present")
  304. module.exit_json(failed=True,
  305. changed=False,
  306. results='Unknown state passed. %s' % state,
  307. state="unknown")
  308. # pylint: disable=redefined-builtin, unused-wildcard-import, wildcard-import, locally-disabled
  309. # import module snippets. This are required
  310. from ansible.module_utils.basic import *
  311. main()