docker_creds.py 6.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207
  1. #!/usr/bin/env python
  2. # pylint: disable=missing-docstring
  3. #
  4. # Copyright 2017 Red Hat, Inc. and/or its affiliates
  5. # and other contributors as indicated by the @author tags.
  6. #
  7. # Licensed under the Apache License, Version 2.0 (the "License");
  8. # you may not use this file except in compliance with the License.
  9. # You may obtain a copy of the License at
  10. #
  11. # http://www.apache.org/licenses/LICENSE-2.0
  12. #
  13. # Unless required by applicable law or agreed to in writing, software
  14. # distributed under the License is distributed on an "AS IS" BASIS,
  15. # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  16. # See the License for the specific language governing permissions and
  17. # limitations under the License.
  18. import base64
  19. import json
  20. import os
  21. from ansible.module_utils.basic import AnsibleModule
  22. DOCUMENTATION = '''
  23. ---
  24. module: docker_creds
  25. short_description: Creates/updates a 'docker login' file in place of using 'docker login'
  26. version_added: "2.4"
  27. description:
  28. - This module creates a docker config.json file in the directory provided by 'path'
  29. on hosts that do not support 'docker login' but need the file present for
  30. registry authentication purposes of various other services.
  31. options:
  32. path:
  33. description:
  34. - This is the message to send to the sample module
  35. required: true
  36. registry:
  37. description:
  38. - This is the registry the credentials are for.
  39. required: true
  40. username:
  41. description:
  42. - This is the username to authenticate to the registry with.
  43. required: true
  44. password:
  45. description:
  46. - This is the password to authenticate to the registry with.
  47. required: true
  48. author:
  49. - "Michael Gugino <mgugino@redhat.com>"
  50. '''
  51. EXAMPLES = '''
  52. # Pass in a message
  53. - name: Place credentials in file
  54. docker_creds:
  55. path: /root/.docker
  56. registry: registry.example.com:443
  57. username: myuser
  58. password: mypassword
  59. '''
  60. def check_dest_dir_exists(module, dest):
  61. '''Check if dest dir is present and is a directory'''
  62. dir_exists = os.path.exists(dest)
  63. if dir_exists:
  64. if not os.path.isdir(dest):
  65. msg = "{} exists but is not a directory".format(dest)
  66. result = {'failed': True,
  67. 'changed': False,
  68. 'msg': msg,
  69. 'state': 'unknown'}
  70. module.fail_json(**result)
  71. else:
  72. return 1
  73. else:
  74. return 0
  75. def create_dest_dir(module, dest):
  76. try:
  77. os.makedirs(dest, mode=0o700)
  78. except OSError as oserror:
  79. result = {'failed': True,
  80. 'changed': False,
  81. 'msg': str(oserror),
  82. 'state': 'unknown'}
  83. module.fail_json(**result)
  84. def load_config_file(module, dest):
  85. '''load the config.json in directory dest'''
  86. conf_file_path = os.path.join(dest, 'config.json')
  87. if os.path.exists(conf_file_path):
  88. # Try to open the file and load json data
  89. try:
  90. with open(conf_file_path) as conf_file:
  91. data = conf_file.read()
  92. jdata = json.loads(data)
  93. except IOError as ioerror:
  94. result = {'failed': True,
  95. 'changed': False,
  96. 'msg': str(ioerror),
  97. 'state': 'unknown'}
  98. module.fail_json(**result)
  99. except ValueError as jsonerror:
  100. result = {'failed': True,
  101. 'changed': False,
  102. 'msg': str(jsonerror),
  103. 'state': 'unknown'}
  104. module.fail_json(**result)
  105. return jdata
  106. else:
  107. # File doesn't exist, we just return an empty dictionary.
  108. return {}
  109. def update_config(docker_config, registry, username, password):
  110. '''Add our registry auth credentials into docker_config dict'''
  111. # Add anything that might be missing in our dictionary
  112. if 'auths' not in docker_config:
  113. docker_config['auths'] = {}
  114. if registry not in docker_config['auths']:
  115. docker_config['auths'][registry] = {}
  116. # base64 encode our username:password string
  117. encoded_data = base64.b64encode('{}:{}'.format(username, password).encode())
  118. # check if the same value is already present for idempotency.
  119. if 'auth' in docker_config['auths'][registry]:
  120. if docker_config['auths'][registry]['auth'] == encoded_data:
  121. # No need to go further, everything is already set in file.
  122. return False
  123. docker_config['auths'][registry]['auth'] = encoded_data
  124. return True
  125. def write_config(module, docker_config, dest):
  126. '''Write updated credentials into dest/config.json'''
  127. conf_file_path = os.path.join(dest, 'config.json')
  128. try:
  129. with open(conf_file_path, 'w') as conf_file:
  130. json.dump(docker_config.decode(), conf_file, indent=8)
  131. except IOError as ioerror:
  132. result = {'failed': True,
  133. 'changed': False,
  134. 'msg': str(ioerror),
  135. 'state': 'unknown'}
  136. module.fail_json(**result)
  137. def run_module():
  138. '''Run this module'''
  139. module_args = dict(
  140. path=dict(aliases=['dest', 'name'], required=True, type='path'),
  141. registry=dict(type='str', required=True),
  142. username=dict(type='str', required=True),
  143. password=dict(type='str', required=True, no_log=True)
  144. )
  145. module = AnsibleModule(
  146. argument_spec=module_args,
  147. supports_check_mode=False
  148. )
  149. # First, create our dest dir if necessary
  150. dest = module.params['path']
  151. registry = module.params['registry']
  152. username = module.params['username']
  153. password = module.params['password']
  154. if not check_dest_dir_exists(module, dest):
  155. create_dest_dir(module, dest)
  156. docker_config = {}
  157. else:
  158. # We want to scrape the contents of dest/config.json
  159. # in case there are other registries/settings already present.
  160. docker_config = load_config_file(module, dest)
  161. # Put the registry auth info into the config dict.
  162. changed = update_config(docker_config, registry, username, password)
  163. if changed:
  164. write_config(module, docker_config, dest)
  165. result = {'changed': changed}
  166. module.exit_json(**result)
  167. def main():
  168. run_module()
  169. if __name__ == '__main__':
  170. main()