docker_creds.py 7.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237
  1. #!/usr/bin/env python
  2. # pylint: disable=missing-docstring
  3. #
  4. # Copyright 2017, 2018 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. from six.moves import urllib
  23. DOCUMENTATION = '''
  24. ---
  25. module: docker_creds
  26. short_description: Creates/updates a 'docker login' file in place of using 'docker login'
  27. version_added: "2.4"
  28. description:
  29. - This module creates a docker config.json file in the directory provided by 'path'
  30. on hosts that do not support 'docker login' but need the file present for
  31. registry authentication purposes of various other services.
  32. options:
  33. path:
  34. description:
  35. - This is the message to send to the sample module
  36. required: true
  37. registry:
  38. description:
  39. - This is the registry the credentials are for.
  40. required: true
  41. username:
  42. description:
  43. - This is the username to authenticate to the registry with.
  44. required: true
  45. password:
  46. description:
  47. - This is the password to authenticate to the registry with.
  48. required: true
  49. test_login:
  50. description:
  51. - Attempt to connect to registry with username + password provided.
  52. default: true
  53. required: false
  54. author:
  55. - "Michael Gugino <mgugino@redhat.com>"
  56. '''
  57. EXAMPLES = '''
  58. # Pass in a message
  59. - name: Place credentials in file
  60. docker_creds:
  61. path: /root/.docker
  62. registry: registry.example.com:443
  63. username: myuser
  64. password: mypassword
  65. test_login: True
  66. '''
  67. def check_dest_dir_exists(module, dest):
  68. '''Check if dest dir is present and is a directory'''
  69. dir_exists = os.path.exists(dest)
  70. if dir_exists:
  71. if not os.path.isdir(dest):
  72. msg = "{} exists but is not a directory".format(dest)
  73. result = {'failed': True,
  74. 'changed': False,
  75. 'msg': msg,
  76. 'state': 'unknown'}
  77. module.fail_json(**result)
  78. else:
  79. return 1
  80. else:
  81. return 0
  82. def create_dest_dir(module, dest):
  83. try:
  84. os.makedirs(dest, mode=0o700)
  85. except OSError as oserror:
  86. result = {'failed': True,
  87. 'changed': False,
  88. 'msg': str(oserror),
  89. 'state': 'unknown'}
  90. module.fail_json(**result)
  91. def load_config_file(module, dest):
  92. '''load the config.json in directory dest'''
  93. conf_file_path = os.path.join(dest, 'config.json')
  94. if os.path.exists(conf_file_path):
  95. # Try to open the file and load json data
  96. try:
  97. with open(conf_file_path) as conf_file:
  98. data = conf_file.read()
  99. jdata = json.loads(data)
  100. except IOError as ioerror:
  101. result = {'failed': True,
  102. 'changed': False,
  103. 'msg': str(ioerror),
  104. 'state': 'unknown'}
  105. module.fail_json(**result)
  106. except ValueError as jsonerror:
  107. result = {'failed': True,
  108. 'changed': False,
  109. 'msg': str(jsonerror),
  110. 'state': 'unknown'}
  111. module.fail_json(**result)
  112. return jdata
  113. else:
  114. # File doesn't exist, we just return an empty dictionary.
  115. return {}
  116. def validate_registry_login(module, registry, encoded_auth):
  117. '''Attempt to use credentials to log into registry'''
  118. url = 'https://' + registry + '/v2/'
  119. auth_header = 'Basic {}'.format(encoded_auth)
  120. headers = {'Authorization': auth_header}
  121. req = urllib.request.Request(url=url, headers=headers)
  122. try:
  123. urllib.request.urlopen(req)
  124. except urllib.error.HTTPError as err:
  125. result = {'failed': True,
  126. 'changed': False,
  127. 'msg': str(err),
  128. 'state': 'unknown'}
  129. module.fail_json(**result)
  130. def update_config(docker_config, registry, encoded_auth):
  131. '''Add our registry auth credentials into docker_config dict'''
  132. # Add anything that might be missing in our dictionary
  133. if 'auths' not in docker_config:
  134. docker_config['auths'] = {}
  135. if registry not in docker_config['auths']:
  136. docker_config['auths'][registry] = {}
  137. # check if the same value is already present for idempotency.
  138. if 'auth' in docker_config['auths'][registry]:
  139. if docker_config['auths'][registry]['auth'] == encoded_auth:
  140. # No need to go further, everything is already set in file.
  141. return False
  142. docker_config['auths'][registry]['auth'] = encoded_auth
  143. return True
  144. def write_config(module, docker_config, dest):
  145. '''Write updated credentials into dest/config.json'''
  146. if not isinstance(docker_config, dict):
  147. docker_config = docker_config.decode()
  148. conf_file_path = os.path.join(dest, 'config.json')
  149. try:
  150. with open(conf_file_path, 'w') as conf_file:
  151. json.dump(docker_config, conf_file, indent=8)
  152. except IOError as ioerror:
  153. result = {'failed': True,
  154. 'changed': False,
  155. 'msg': str(ioerror),
  156. 'state': 'unknown'}
  157. module.fail_json(**result)
  158. def run_module():
  159. '''Run this module'''
  160. module_args = dict(
  161. path=dict(aliases=['dest', 'name'], required=True, type='path'),
  162. registry=dict(type='str', required=True),
  163. username=dict(type='str', required=True),
  164. password=dict(type='str', required=True, no_log=True),
  165. test_login=dict(type='str', required=False, default=True),
  166. )
  167. module = AnsibleModule(
  168. argument_spec=module_args,
  169. supports_check_mode=False
  170. )
  171. # First, create our dest dir if necessary
  172. dest = module.params['path']
  173. registry = module.params['registry']
  174. username = module.params['username']
  175. password = module.params['password']
  176. test_login = module.params['test_login']
  177. if not check_dest_dir_exists(module, dest):
  178. create_dest_dir(module, dest)
  179. docker_config = {}
  180. else:
  181. # We want to scrape the contents of dest/config.json
  182. # in case there are other registries/settings already present.
  183. docker_config = load_config_file(module, dest)
  184. # base64 encode our username:password string
  185. encoded_auth = base64.b64encode('{}:{}'.format(username, password).encode())
  186. # Test the credentials
  187. if test_login:
  188. validate_registry_login(module, registry, encoded_auth)
  189. # Put the registry auth info into the config dict.
  190. changed = update_config(docker_config, registry, encoded_auth)
  191. if changed:
  192. write_config(module, docker_config, dest)
  193. result = {'changed': changed}
  194. module.exit_json(**result)
  195. def main():
  196. run_module()
  197. if __name__ == '__main__':
  198. main()