docker_creds.py 8.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248
  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. 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. test_login:
  49. description:
  50. - Attempt to connect to registry with username + password provided.
  51. default: true
  52. required: false
  53. author:
  54. - "Michael Gugino <mgugino@redhat.com>"
  55. '''
  56. EXAMPLES = '''
  57. # Pass in a message
  58. - name: Place credentials in file
  59. docker_creds:
  60. path: /root/.docker
  61. registry: registry.example.com:443
  62. username: myuser
  63. password: mypassword
  64. test_login: True
  65. '''
  66. def check_dest_dir_exists(module, dest):
  67. '''Check if dest dir is present and is a directory'''
  68. dir_exists = os.path.exists(dest)
  69. if dir_exists:
  70. if not os.path.isdir(dest):
  71. msg = "{} exists but is not a directory".format(dest)
  72. result = {'failed': True,
  73. 'changed': False,
  74. 'msg': msg,
  75. 'state': 'unknown'}
  76. module.fail_json(**result)
  77. else:
  78. return 1
  79. else:
  80. return 0
  81. def create_dest_dir(module, dest):
  82. try:
  83. os.makedirs(dest, mode=0o700)
  84. except OSError as oserror:
  85. result = {'failed': True,
  86. 'changed': False,
  87. 'msg': str(oserror),
  88. 'state': 'unknown'}
  89. module.fail_json(**result)
  90. def load_config_file(module, dest):
  91. '''load the config.json in directory dest'''
  92. conf_file_path = os.path.join(dest, 'config.json')
  93. if os.path.exists(conf_file_path):
  94. # Try to open the file and load json data
  95. try:
  96. with open(conf_file_path) as conf_file:
  97. data = conf_file.read()
  98. jdata = json.loads(data)
  99. except IOError as ioerror:
  100. result = {'failed': True,
  101. 'changed': False,
  102. 'msg': str(ioerror),
  103. 'state': 'unknown'}
  104. module.fail_json(**result)
  105. except ValueError as jsonerror:
  106. result = {'failed': True,
  107. 'changed': False,
  108. 'msg': str(jsonerror),
  109. 'state': 'unknown'}
  110. module.fail_json(**result)
  111. return jdata
  112. else:
  113. # File doesn't exist, we just return an empty dictionary.
  114. return {}
  115. def gen_skopeo_cmd(registry, username, password, proxy_vars, image_name):
  116. '''Generate skopeo command to run'''
  117. skopeo_temp = ("{proxy_vars} timeout 10 skopeo inspect"
  118. " {creds} docker://{registry}/{image_name}")
  119. creds = '--creds {}:{}'.format(username, password)
  120. skopeo_args = {'proxy_vars': proxy_vars, 'creds': creds,
  121. 'registry': registry, 'image_name': image_name}
  122. return skopeo_temp.format(**skopeo_args).strip()
  123. def validate_registry_login(module, skopeo_command):
  124. '''Attempt to use credentials to log into registry'''
  125. # skopeo doesn't honor docker config file proxy settings; need to specify
  126. # proxy vars on the cli.
  127. rtnc, _, err = module.run_command(skopeo_command, use_unsafe_shell=True)
  128. if rtnc:
  129. result = {'failed': True,
  130. 'changed': False,
  131. 'msg': str(err),
  132. 'state': 'unknown'}
  133. module.fail_json(**result)
  134. def update_config(docker_config, registry, encoded_auth):
  135. '''Add our registry auth credentials into docker_config dict'''
  136. # Add anything that might be missing in our dictionary
  137. if 'auths' not in docker_config:
  138. docker_config['auths'] = {}
  139. if registry not in docker_config['auths']:
  140. docker_config['auths'][registry] = {}
  141. # check if the same value is already present for idempotency.
  142. if 'auth' in docker_config['auths'][registry]:
  143. if docker_config['auths'][registry]['auth'] == encoded_auth:
  144. # No need to go further, everything is already set in file.
  145. return False
  146. docker_config['auths'][registry]['auth'] = encoded_auth
  147. return True
  148. def write_config(module, docker_config, dest):
  149. '''Write updated credentials into dest/config.json'''
  150. if not isinstance(docker_config, dict):
  151. docker_config = docker_config.decode()
  152. conf_file_path = os.path.join(dest, 'config.json')
  153. try:
  154. with open(conf_file_path, 'w') as conf_file:
  155. json.dump(docker_config, conf_file, indent=8)
  156. except IOError as ioerror:
  157. result = {'failed': True,
  158. 'changed': False,
  159. 'msg': str(ioerror),
  160. 'state': 'unknown'}
  161. module.fail_json(**result)
  162. def run_module():
  163. '''Run this module'''
  164. module_args = dict(
  165. path=dict(aliases=['dest', 'name'], required=True, type='path'),
  166. registry=dict(type='str', required=True),
  167. username=dict(type='str', required=True),
  168. password=dict(type='str', required=True, no_log=True),
  169. test_login=dict(type='str', required=False, default=True),
  170. proxy_vars=dict(type='str', required=False, default=''),
  171. image_name=dict(type='str', required=True),
  172. )
  173. module = AnsibleModule(
  174. argument_spec=module_args,
  175. supports_check_mode=False
  176. )
  177. # First, create our dest dir if necessary
  178. dest = module.params['path']
  179. registry = module.params['registry']
  180. username = module.params['username']
  181. password = module.params['password']
  182. test_login = module.params['test_login']
  183. proxy_vars = module.params['proxy_vars']
  184. image_name = module.params['image_name']
  185. if not check_dest_dir_exists(module, dest):
  186. create_dest_dir(module, dest)
  187. docker_config = {}
  188. else:
  189. # We want to scrape the contents of dest/config.json
  190. # in case there are other registries/settings already present.
  191. docker_config = load_config_file(module, dest)
  192. # Test the credentials
  193. if test_login:
  194. skopeo_command = gen_skopeo_cmd(registry, username, password,
  195. proxy_vars, image_name)
  196. validate_registry_login(module, skopeo_command)
  197. # base64 encode our username:password string
  198. encoded_auth = base64.b64encode('{}:{}'.format(username, password).encode())
  199. # Put the registry auth info into the config dict.
  200. changed = update_config(docker_config, registry, encoded_auth)
  201. if changed:
  202. write_config(module, docker_config, dest)
  203. result = {'changed': changed, 'rc': 0}
  204. module.exit_json(**result)
  205. def main():
  206. run_module()
  207. if __name__ == '__main__':
  208. main()