rpm_q.py 1.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172
  1. #!/usr/bin/python
  2. # -*- coding: utf-8 -*-
  3. # (c) 2015, Tobias Florek <tob@butter.sh>
  4. # Licensed under the terms of the MIT License
  5. """
  6. An ansible module to query the RPM database. For use, when yum/dnf are not
  7. available.
  8. """
  9. # pylint: disable=redefined-builtin,wildcard-import,unused-wildcard-import
  10. from ansible.module_utils.basic import * # noqa: F403
  11. DOCUMENTATION = """
  12. ---
  13. module: rpm_q
  14. short_description: Query the RPM database
  15. author: Tobias Florek
  16. options:
  17. name:
  18. description:
  19. - The name of the package to query
  20. required: true
  21. state:
  22. description:
  23. - Whether the package is supposed to be installed or not
  24. choices: [present, absent]
  25. default: present
  26. """
  27. EXAMPLES = """
  28. - rpm_q: name=ansible state=present
  29. - rpm_q: name=ansible state=absent
  30. """
  31. RPM_BINARY = '/bin/rpm'
  32. def main():
  33. """
  34. Checks rpm -q for the named package and returns the installed packages
  35. or None if not installed.
  36. """
  37. module = AnsibleModule( # noqa: F405
  38. argument_spec=dict(
  39. name=dict(required=True),
  40. state=dict(default='present', choices=['present', 'absent'])
  41. ),
  42. supports_check_mode=True
  43. )
  44. name = module.params['name']
  45. state = module.params['state']
  46. # pylint: disable=invalid-name
  47. rc, out, err = module.run_command([RPM_BINARY, '-q', name])
  48. installed = out.rstrip('\n').split('\n')
  49. if rc != 0:
  50. if state == 'present':
  51. module.fail_json(msg="%s is not installed" % name, stdout=out, stderr=err, rc=rc)
  52. else:
  53. module.exit_json(changed=False)
  54. elif state == 'present':
  55. module.exit_json(changed=False, installed_versions=installed)
  56. else:
  57. module.fail_json(msg="%s is installed", installed_versions=installed)
  58. if __name__ == '__main__':
  59. main()