yedit.py 9.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300
  1. #!/usr/bin/env python
  2. # ___ ___ _ _ ___ ___ _ _____ ___ ___
  3. # / __| __| \| | __| _ \ /_\_ _| __| \
  4. # | (_ | _|| .` | _|| / / _ \| | | _|| |) |
  5. # \___|___|_|\_|___|_|_\/_/_\_\_|_|___|___/_ _____
  6. # | \ / _ \ | \| |/ _ \_ _| | __| \_ _|_ _|
  7. # | |) | (_) | | .` | (_) || | | _|| |) | | | |
  8. # |___/ \___/ |_|\_|\___/ |_| |___|___/___| |_|
  9. '''
  10. module for managing yaml files
  11. '''
  12. import os
  13. import re
  14. import yaml
  15. # This is here because of a bug that causes yaml
  16. # to incorrectly handle timezone info on timestamps
  17. def timestamp_constructor(_, node):
  18. ''' return timestamps as strings'''
  19. return str(node.value)
  20. yaml.add_constructor(u'tag:yaml.org,2002:timestamp', timestamp_constructor)
  21. class YeditException(Exception):
  22. ''' Exception class for Yedit '''
  23. pass
  24. class Yedit(object):
  25. ''' Class to modify yaml files '''
  26. re_valid_key = r"(((\[-?\d+\])|([a-zA-Z-./]+)).?)+$"
  27. re_key = r"(?:\[(-?\d+)\])|([a-zA-Z-./]+)"
  28. def __init__(self, filename=None, content=None, content_type='yaml'):
  29. self.content = content
  30. self.filename = filename
  31. self.__yaml_dict = content
  32. self.content_type = content_type
  33. if self.filename and not self.content:
  34. self.load(content_type=self.content_type)
  35. @property
  36. def yaml_dict(self):
  37. ''' getter method for yaml_dict '''
  38. return self.__yaml_dict
  39. @yaml_dict.setter
  40. def yaml_dict(self, value):
  41. ''' setter method for yaml_dict '''
  42. self.__yaml_dict = value
  43. @staticmethod
  44. def remove_entry(data, key):
  45. ''' remove data at location key '''
  46. if not (key and re.match(Yedit.re_valid_key, key) and isinstance(data, (list, dict))):
  47. return None
  48. key_indexes = re.findall(Yedit.re_key, key)
  49. for arr_ind, dict_key in key_indexes[:-1]:
  50. if dict_key and isinstance(data, dict):
  51. data = data.get(dict_key, None)
  52. elif arr_ind and isinstance(data, list) and int(arr_ind) <= len(data) - 1:
  53. data = data[int(arr_ind)]
  54. else:
  55. return None
  56. # process last index for remove
  57. # expected list entry
  58. if key_indexes[-1][0]:
  59. if isinstance(data, list) and int(key_indexes[-1][0]) <= len(data) - 1:
  60. del data[int(key_indexes[-1][0])]
  61. return True
  62. # expected dict entry
  63. elif key_indexes[-1][1]:
  64. if isinstance(data, dict):
  65. del data[key_indexes[-1][1]]
  66. return True
  67. @staticmethod
  68. def add_entry(data, key, item=None):
  69. ''' Get an item from a dictionary with key notation a.b.c
  70. d = {'a': {'b': 'c'}}}
  71. key = a.b
  72. return c
  73. '''
  74. if not (key and re.match(Yedit.re_valid_key, key) and isinstance(data, (list, dict))):
  75. return None
  76. curr_data = data
  77. key_indexes = re.findall(Yedit.re_key, key)
  78. for arr_ind, dict_key in key_indexes[:-1]:
  79. if dict_key:
  80. if isinstance(data, dict) and data.has_key(dict_key):
  81. data = data[dict_key]
  82. continue
  83. data[dict_key] = {}
  84. data = data[dict_key]
  85. elif arr_ind and isinstance(data, list) and int(arr_ind) <= len(data) - 1:
  86. data = data[int(arr_ind)]
  87. else:
  88. return None
  89. # process last index for add
  90. # expected list entry
  91. if key_indexes[-1][0] and isinstance(data, list) and int(key_indexes[-1][0]) <= len(data) - 1:
  92. data[int(key_indexes[-1][0])] = item
  93. # expected dict entry
  94. elif key_indexes[-1][1] and isinstance(data, dict):
  95. data[key_indexes[-1][1]] = item
  96. return curr_data
  97. @staticmethod
  98. def get_entry(data, key):
  99. ''' Get an item from a dictionary with key notation a.b.c
  100. d = {'a': {'b': 'c'}}}
  101. key = a.b
  102. return c
  103. '''
  104. if not (key and re.match(Yedit.re_valid_key, key) and isinstance(data, (list, dict))):
  105. return None
  106. key_indexes = re.findall(Yedit.re_key, key)
  107. for arr_ind, dict_key in key_indexes:
  108. if dict_key and isinstance(data, dict):
  109. data = data.get(dict_key, None)
  110. elif arr_ind and isinstance(data, list) and int(arr_ind) <= len(data) - 1:
  111. data = data[int(arr_ind)]
  112. else:
  113. return None
  114. return data
  115. def write(self):
  116. ''' write to file '''
  117. if not self.filename:
  118. raise YeditException('Please specify a filename.')
  119. with open(self.filename, 'w') as yfd:
  120. yfd.write(yaml.safe_dump(self.yaml_dict, default_flow_style=False))
  121. def read(self):
  122. ''' write to file '''
  123. # check if it exists
  124. if not self.exists():
  125. return None
  126. contents = None
  127. with open(self.filename) as yfd:
  128. contents = yfd.read()
  129. return contents
  130. def exists(self):
  131. ''' return whether file exists '''
  132. if os.path.exists(self.filename):
  133. return True
  134. return False
  135. def load(self, content_type='yaml'):
  136. ''' return yaml file '''
  137. contents = self.read()
  138. if not contents:
  139. return None
  140. # check if it is yaml
  141. try:
  142. if content_type == 'yaml':
  143. self.yaml_dict = yaml.load(contents)
  144. elif content_type == 'json':
  145. self.yaml_dict = json.loads(contents)
  146. except yaml.YAMLError as _:
  147. # Error loading yaml or json
  148. return None
  149. return self.yaml_dict
  150. def get(self, key):
  151. ''' get a specified key'''
  152. try:
  153. entry = Yedit.get_entry(self.yaml_dict, key)
  154. except KeyError as _:
  155. entry = None
  156. return entry
  157. def delete(self, key):
  158. ''' remove key from a dict'''
  159. try:
  160. entry = Yedit.get_entry(self.yaml_dict, key)
  161. except KeyError as _:
  162. entry = None
  163. if not entry:
  164. return (False, self.yaml_dict)
  165. result = Yedit.remove_entry(self.yaml_dict, key)
  166. if not result:
  167. return (False, self.yaml_dict)
  168. return (True, self.yaml_dict)
  169. def put(self, key, value):
  170. ''' put key, value into a dict '''
  171. try:
  172. entry = Yedit.get_entry(self.yaml_dict, key)
  173. except KeyError as _:
  174. entry = None
  175. if entry == value:
  176. return (False, self.yaml_dict)
  177. result = Yedit.add_entry(self.yaml_dict, key, value)
  178. if not result:
  179. return (False, self.yaml_dict)
  180. return (True, self.yaml_dict)
  181. def create(self, key, value):
  182. ''' create a yaml file '''
  183. if not self.exists():
  184. self.yaml_dict = {key: value}
  185. return (True, self.yaml_dict)
  186. return (False, self.yaml_dict)
  187. def main():
  188. '''
  189. ansible oc module for secrets
  190. '''
  191. module = AnsibleModule(
  192. argument_spec=dict(
  193. state=dict(default='present', type='str',
  194. choices=['present', 'absent', 'list']),
  195. debug=dict(default=False, type='bool'),
  196. src=dict(default=None, type='str'),
  197. content=dict(default=None, type='dict'),
  198. key=dict(default=None, type='str'),
  199. value=dict(default=None, type='str'),
  200. value_format=dict(default='yaml', choices=['yaml', 'json'], type='str'),
  201. ),
  202. #mutually_exclusive=[["src", "content"]],
  203. supports_check_mode=True,
  204. )
  205. state = module.params['state']
  206. yamlfile = Yedit(module.params['src'], module.params['content'])
  207. rval = yamlfile.load()
  208. if not rval and state != 'present':
  209. module.fail_json(msg='Error opening file [%s]. Verify that the' + \
  210. ' file exists, that it is has correct permissions, and is valid yaml.')
  211. if state == 'list':
  212. module.exit_json(changed=False, results=rval, state="list")
  213. if state == 'absent':
  214. rval = yamlfile.delete(module.params['key'])
  215. module.exit_json(changed=rval[0], results=rval[1], state="absent")
  216. if state == 'present':
  217. if module.params['value_format'] == 'yaml':
  218. value = yaml.load(module.params['value'])
  219. elif module.params['value_format'] == 'json':
  220. value = json.loads(module.params['value'])
  221. if rval:
  222. rval = yamlfile.put(module.params['key'], value)
  223. if rval[0]:
  224. yamlfile.write()
  225. module.exit_json(changed=rval[0], results=rval[1], state="present")
  226. if not module.params['content']:
  227. rval = yamlfile.create(module.params['key'], value)
  228. else:
  229. rval = yamlfile.load()
  230. yamlfile.write()
  231. module.exit_json(changed=rval[0], results=rval[1], state="present")
  232. module.exit_json(failed=True,
  233. changed=False,
  234. results='Unknown state passed. %s' % state,
  235. state="unknown")
  236. # pylint: disable=redefined-builtin, unused-wildcard-import, wildcard-import, locally-disabled
  237. # import module snippets. This are required
  238. from ansible.module_utils.basic import *
  239. main()