oo_azure_rm_publish_image_facts.py 8.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240
  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 requests
  23. from ansible.module_utils.basic import AnsibleModule
  24. class AzurePublisherException(Exception):
  25. '''Exception class for AzurePublisher'''
  26. pass
  27. class AzurePublisher(object):
  28. '''Python class to represent the Azure Publishing portal https://cloudpartner.azure.com'''
  29. # pylint: disable=too-many-arguments
  30. def __init__(self,
  31. publisher_id,
  32. client_info,
  33. ssl_verify=True,
  34. api_version='2017-10-31',
  35. debug=False):
  36. '''
  37. :publisher_id: string of the publisher id
  38. :client_info: a dict containing the client_id, client_secret to get an access_token
  39. '''
  40. self._azure_server = 'https://cloudpartner.azure.com/api/publishers/{}'.format(publisher_id)
  41. self.client_info = client_info
  42. self.ssl_verify = ssl_verify
  43. self.api_version = 'api-version={}'.format(api_version)
  44. self.debug = debug
  45. # if self.debug:
  46. # httplib.HTTPSConnection.debuglevel = 1
  47. # httplib.HTTPConnection.debuglevel = 1
  48. self._access_token = None
  49. @property
  50. def server(self):
  51. '''property for server url'''
  52. return self._azure_server
  53. @property
  54. def token(self):
  55. '''property for the access_token
  56. curl -d \
  57. 'client_id=<id>&client_secret=<sec>&grant_type=client_credentials&resource=https://cloudpartner.azure.com' \
  58. https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47/oauth2/token
  59. '''
  60. if self._access_token is None:
  61. url = 'https://login.microsoftonline.com/{}/oauth2/token'.format(self.client_info['tenant_id'])
  62. data = {
  63. 'client_id': {self.client_info['client_id']},
  64. 'client_secret': self.client_info['client_secret'],
  65. 'grant_type': 'client_credentials',
  66. 'resource': 'https://cloudpartner.azure.com'
  67. }
  68. results = AzurePublisher.request('POST', url, data, {})
  69. jres = results.json()
  70. self._access_token = jres['access_token']
  71. return self._access_token
  72. def get_offers(self, offer=None, version=None, slot=''):
  73. ''' fetch all offers by publisherid '''
  74. url = '/offers'
  75. if offer is not None:
  76. url += '/{}'.format(offer)
  77. if version is not None:
  78. url += '/versions/{}'.format(version)
  79. if slot != '':
  80. url += '/slot/{}'.format(slot)
  81. url += '?{}'.format(self.api_version)
  82. return self.prepare_action(url)
  83. def get_operations(self, offer, operation=None, status=None):
  84. ''' create or modify an offer '''
  85. url = '/offers/{0}/submissions'.format(offer)
  86. if operation is not None:
  87. url += '/operations/{0}'.format(operation)
  88. if not url.endswith('/'):
  89. url += '/'
  90. url += '?{0}'.format(self.api_version)
  91. if status is not None:
  92. url += '&status={0}'.format(status)
  93. return self.prepare_action(url, 'GET')
  94. def cancel_operation(self, offer):
  95. ''' create or modify an offer '''
  96. url = '/offers/{0}/cancel?{1}'.format(offer, self.api_version)
  97. return self.prepare_action(url, 'POST')
  98. def go_live(self, offer):
  99. ''' create or modify an offer '''
  100. url = '/offers/{0}/golive?{1}'.format(offer, self.api_version)
  101. return self.prepare_action(url, 'POST')
  102. def create_or_modify_offer(self, offer, data=None, modify=False):
  103. ''' create or modify an offer '''
  104. url = '/offers/{0}?{1}'.format(offer, self.api_version)
  105. headers = None
  106. if modify:
  107. headers = {
  108. 'If-Match': '*',
  109. }
  110. return self.prepare_action(url, 'PUT', data=data, add_headers=headers)
  111. def prepare_action(self, url, action='GET', data=None, add_headers=None):
  112. '''perform the http request
  113. :action: string of either GET|POST
  114. '''
  115. headers = {
  116. 'Content-Type': 'application/json',
  117. 'Accept': 'application/json',
  118. 'Authorization': 'Bearer {}'.format(self.token)
  119. }
  120. if add_headers is not None:
  121. headers.update(add_headers)
  122. if data is None:
  123. data = ''
  124. else:
  125. data = json.dumps(data)
  126. return AzurePublisher.request(action.upper(), self.server + url, data, headers)
  127. def manage_offer(self, params):
  128. ''' handle creating or modifying offers'''
  129. # fetch the offer to verify it exists:
  130. results = self.get_offers(offer=params['offer'])
  131. if results.status_code == 200 and params['force']:
  132. return self.create_or_modify_offer(offer=params['offer'], data=params['offer_data'], modify=True)
  133. return self.create_or_modify_offer(offer=params['offer'], data=params['offer_data'])
  134. @staticmethod
  135. def request(action, url, data=None, headers=None, ssl_verify=True):
  136. req = requests.Request(action.upper(), url, data=data, headers=headers)
  137. session = requests.Session()
  138. req_prep = session.prepare_request(req)
  139. response = session.send(req_prep, verify=ssl_verify)
  140. return response
  141. @staticmethod
  142. def run_ansible(params):
  143. '''perform the ansible operations'''
  144. client_info = {
  145. 'tenant_id': params['tenant_id'],
  146. 'client_id': params['client_id'],
  147. 'client_secret': params['client_secret']}
  148. apc = AzurePublisher(params['publisher'],
  149. client_info,
  150. debug=params['debug'])
  151. if params['query'] == 'offer':
  152. results = apc.get_offers(offer=params['offer'])
  153. elif params['query'] == 'operation':
  154. results = apc.get_operations(offer=params['offer'], operation=params['operation'], status=params['status'])
  155. else:
  156. raise AzurePublisherException('Unsupported query type: {}'.format(params['query']))
  157. return {'data': results.json(), 'status_code': results.status_code}
  158. def main():
  159. ''' ansible oc module for secrets '''
  160. module = AnsibleModule(
  161. argument_spec=dict(
  162. query=dict(default='offer', choices=['offer', 'operation']),
  163. publisher=dict(default='redhat', type='str'),
  164. debug=dict(default=False, type='bool'),
  165. tenant_id=dict(default=os.environ.get('AZURE_TENANT_ID'), type='str'),
  166. client_id=dict(default=os.environ.get('AZURE_CLIENT_ID'), type='str'),
  167. client_secret=dict(default=os.environ.get('AZURE_CLIENT_SECRET'), type='str'),
  168. offer=dict(default=None, type='str'),
  169. operation=dict(default=None, type='str'),
  170. status=dict(default=None, type='str'),
  171. ),
  172. )
  173. # Verify we recieved either a valid key or edits with valid keys when receiving a src file.
  174. # A valid key being not None or not ''.
  175. if (module.params['tenant_id'] is None or module.params['client_id'] is None or
  176. module.params['client_secret'] is None):
  177. return module.fail_json(**{'failed': True,
  178. 'msg': 'Please specify tenant_id, client_id, and client_secret'})
  179. rval = AzurePublisher.run_ansible(module.params)
  180. if int(rval['status_code']) == 404:
  181. rval['msg'] = 'Offer does not exist.'
  182. elif int(rval['status_code']) >= 300:
  183. rval['msg'] = 'Error.'
  184. return module.fail_json(**rval)
  185. return module.exit_json(**rval)
  186. if __name__ == '__main__':
  187. main()