oo_azure_rm_publish_image.py 9.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288
  1. #!/usr/bin/env python
  2. # pylint: disable=missing-docstring
  3. # Copyright 2018 Red Hat, Inc. and/or its affiliates
  4. # and other contributors as indicated by the @author tags.
  5. #
  6. # Licensed under the Apache License, Version 2.0 (the "License");
  7. # you may not use this file except in compliance with the License.
  8. # You may obtain a copy of the License at
  9. #
  10. # http://www.apache.org/licenses/LICENSE-2.0
  11. #
  12. # Unless required by applicable law or agreed to in writing, software
  13. # distributed under the License is distributed on an "AS IS" BASIS,
  14. # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  15. # See the License for the specific language governing permissions and
  16. # limitations under the License.
  17. #
  18. from __future__ import print_function # noqa: F401
  19. # import httplib
  20. import json
  21. import os
  22. import time
  23. import requests
  24. from ansible.module_utils.basic import AnsibleModule
  25. class AzurePublisherException(Exception):
  26. '''Exception class for AzurePublisher'''
  27. pass
  28. class AzurePublisher(object):
  29. '''Python class to represent the Azure Publishing portal https://cloudpartner.azure.com'''
  30. # pylint: disable=too-many-arguments
  31. def __init__(self,
  32. publisher_id,
  33. client_info,
  34. ssl_verify=True,
  35. api_version='2017-10-31',
  36. debug=False):
  37. '''
  38. :publisher_id: string of the publisher id
  39. :client_info: a dict containing the client_id, client_secret to get an access_token
  40. '''
  41. self._azure_server = 'https://cloudpartner.azure.com/api/publishers/{}'.format(publisher_id)
  42. self.client_info = client_info
  43. self.ssl_verify = ssl_verify
  44. self.api_version = 'api-version={}'.format(api_version)
  45. self.debug = debug
  46. # if self.debug:
  47. # import httplib
  48. # httplib.HTTPSConnection.debuglevel = 1
  49. # httplib.HTTPConnection.debuglevel = 1
  50. self._access_token = None
  51. @property
  52. def server(self):
  53. '''property for server url'''
  54. return self._azure_server
  55. @property
  56. def token(self):
  57. '''property for the access_token
  58. curl -d \
  59. 'client_id=<id>&client_secret=<sec>&grant_type=client_credentials&resource=https://cloudpartner.azure.com' \
  60. https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47/oauth2/token
  61. '''
  62. if self._access_token is None:
  63. url = 'https://login.microsoftonline.com/{}/oauth2/token'.format(self.client_info['tenant_id'])
  64. data = {
  65. 'client_id': {self.client_info['client_id']},
  66. 'client_secret': self.client_info['client_secret'],
  67. 'grant_type': 'client_credentials',
  68. 'resource': 'https://cloudpartner.azure.com'
  69. }
  70. results = AzurePublisher.request('POST', url, data, {})
  71. jres = results.json()
  72. self._access_token = jres['access_token']
  73. return self._access_token
  74. def get_offers(self, offer=None, version=None, slot='preview'):
  75. ''' fetch all offers by publisherid '''
  76. url = '/offers'
  77. if offer is not None:
  78. url += '/{}'.format(offer)
  79. if version is not None:
  80. url += '/versions/{}'.format(version)
  81. if slot == 'preview':
  82. url += '/slot/{}'.format(slot)
  83. url += '?{}'.format(self.api_version)
  84. return self.prepare_action(url)
  85. def get_operations(self, offer, operation=None, status=None):
  86. ''' create or modify an offer '''
  87. url = '/offers/{0}/submissions'.format(offer)
  88. if operation is not None:
  89. url += '/operations/{0}'.format(operation)
  90. if not url.endswith('/'):
  91. url += '/'
  92. url += '?{0}'.format(self.api_version)
  93. if status is not None:
  94. url += '&status={0}'.format(status)
  95. return self.prepare_action(url, 'GET')
  96. def cancel_operation(self, offer):
  97. ''' create or modify an offer '''
  98. url = '/offers/{0}/cancel?{1}'.format(offer, self.api_version)
  99. return self.prepare_action(url, 'POST')
  100. def publish(self, offer, emails):
  101. ''' publish an offer '''
  102. url = '/offers/{0}/publish?{1}'.format(offer, self.api_version)
  103. data = {
  104. 'metadata': {
  105. 'notification-emails': ','.join(emails),
  106. }
  107. }
  108. return self.prepare_action(url, 'POST', data=data)
  109. def go_live(self, offer):
  110. ''' create or modify an offer '''
  111. url = '/offers/{0}/golive?{1}'.format(offer, self.api_version)
  112. return self.prepare_action(url, 'POST')
  113. def create_or_modify_offer(self, offer, data=None, modify=False):
  114. ''' create or modify an offer '''
  115. url = '/offers/{0}?{1}'.format(offer, self.api_version)
  116. headers = None
  117. if modify:
  118. headers = {
  119. 'If-Match': '*',
  120. }
  121. return self.prepare_action(url, 'PUT', data=data, add_headers=headers)
  122. def prepare_action(self, url, action='GET', data=None, add_headers=None):
  123. '''perform the http request
  124. :action: string of either GET|POST
  125. '''
  126. headers = {
  127. 'Content-Type': 'application/json',
  128. 'Accept': 'application/json',
  129. 'Authorization': 'Bearer {}'.format(self.token)
  130. }
  131. if add_headers is not None:
  132. headers.update(add_headers)
  133. if data is None:
  134. data = ''
  135. else:
  136. data = json.dumps(data)
  137. return AzurePublisher.request(action.upper(), self.server + url, data, headers)
  138. def cancel_and_wait_for_operation(self, params):
  139. '''cancel the current publish operation and wait for operation to complete'''
  140. # cancel the publish operation
  141. self.cancel_operation(offer=params['offer'])
  142. # we need to wait here for 'submissionState' to move to 'canceled'
  143. while True:
  144. # fetch operations
  145. ops = self.get_operations(params['offer'])
  146. if self.debug:
  147. print(ops.json())
  148. if ops.json()[0]['submissionState'] == 'canceled':
  149. break
  150. time.sleep(5)
  151. return ops
  152. def manage_offer(self, params):
  153. ''' handle creating or modifying offers'''
  154. # fetch the offer to verify it exists:
  155. results = self.get_offers(offer=params['offer'])
  156. if results.status_code == 200 and params['force']:
  157. return self.create_or_modify_offer(offer=params['offer'], data=params['offer_data'], modify=True)
  158. return self.create_or_modify_offer(offer=params['offer'], data=params['offer_data'])
  159. @staticmethod
  160. def request(action, url, data=None, headers=None, ssl_verify=True):
  161. req = requests.Request(action.upper(), url, data=data, headers=headers)
  162. session = requests.Session()
  163. req_prep = session.prepare_request(req)
  164. response = session.send(req_prep, verify=ssl_verify)
  165. return response
  166. @staticmethod
  167. def run_ansible(params):
  168. '''perform the ansible operations'''
  169. client_info = {
  170. 'tenant_id': params['tenant_id'],
  171. 'client_id': params['client_id'],
  172. 'client_secret': params['client_secret']}
  173. apc = AzurePublisher(params['publisher'],
  174. client_info,
  175. debug=params['debug'])
  176. if params['state'] == 'offer':
  177. results = apc.manage_offer(params)
  178. elif params['state'] == 'publish':
  179. results = apc.publish(offer=params['offer'], emails=params['emails'])
  180. results.json = lambda: ''
  181. elif params['state'] == 'cancel_op':
  182. results = apc.cancel_and_wait_for_operation(params)
  183. elif params['state'] == 'go_live':
  184. results = apc.go_live(offer=params['offer'])
  185. else:
  186. raise AzurePublisherException('Unsupported query type: {}'.format(params['state']))
  187. changed = False
  188. if results.status_code in [200, 201, 202]:
  189. changed = True
  190. return {'data': results.json(), 'changed': changed, 'status_code': results.status_code}
  191. # pylint: disable=too-many-branches
  192. def main():
  193. ''' ansible oc module for secrets '''
  194. module = AnsibleModule(
  195. argument_spec=dict(
  196. state=dict(default='offer', choices=['offer', 'cancel_op', 'go_live', 'publish']),
  197. force=dict(default=False, type='bool'),
  198. publisher=dict(default='redhat', type='str'),
  199. debug=dict(default=False, type='bool'),
  200. tenant_id=dict(default=os.environ.get('AZURE_TENANT_ID'), type='str'),
  201. client_id=dict(default=os.environ.get('AZURE_CLIENT_ID'), type='str'),
  202. client_secret=dict(default=os.environ.get('AZURE_CLIENT_SECRET'), type='str'),
  203. offer=dict(default=None, type='str'),
  204. offer_data=dict(default=None, type='dict'),
  205. emails=dict(default=None, type='list'),
  206. ),
  207. required_if=[
  208. ["state", "offer", ["offer_data"]],
  209. ],
  210. )
  211. # Verify we recieved either a valid key or edits with valid keys when receiving a src file.
  212. # A valid key being not None or not ''.
  213. if (module.params['tenant_id'] is None or module.params['client_id'] is None or
  214. module.params['client_secret'] is None):
  215. return module.fail_json(**{'failed': True,
  216. 'msg': 'Please specify tenant_id, client_id, and client_secret'})
  217. rval = AzurePublisher.run_ansible(module.params)
  218. if int(rval['status_code']) >= 300:
  219. rval['msg'] = 'Failed. status_code {}'.format(rval['status_code'])
  220. return module.fail_json(**rval)
  221. return module.exit_json(**rval)
  222. if __name__ == '__main__':
  223. main()