summaryrefslogtreecommitdiff
path: root/glanceclient/tests/unit
diff options
context:
space:
mode:
authorJenkins <jenkins@review.openstack.org>2017-01-23 22:19:31 +0000
committerGerrit Code Review <review@openstack.org>2017-01-23 22:19:31 +0000
commita76fdcd20a1fa7d95857c2ecd8c96bd9bfbdb509 (patch)
tree62f3c50535a3beae9ec42e114c092ee5f68d8f99 /glanceclient/tests/unit
parent6ab6a740ff9346004609ff28fce39a7fe5560702 (diff)
parent610177a779b95f931356c1e90b05a5bffd2616b3 (diff)
downloadpython-glanceclient-a76fdcd20a1fa7d95857c2ecd8c96bd9bfbdb509.tar.gz
Merge "Add request id to returned objects"
Diffstat (limited to 'glanceclient/tests/unit')
-rw-r--r--glanceclient/tests/unit/test_utils.py50
-rw-r--r--glanceclient/tests/unit/v2/base.py119
-rw-r--r--glanceclient/tests/unit/v2/test_images.py141
-rw-r--r--glanceclient/tests/unit/v2/test_members.py7
-rw-r--r--glanceclient/tests/unit/v2/test_metadefs_namespaces.py37
-rw-r--r--glanceclient/tests/unit/v2/test_metadefs_objects.py7
-rw-r--r--glanceclient/tests/unit/v2/test_metadefs_properties.py8
-rw-r--r--glanceclient/tests/unit/v2/test_metadefs_resource_types.py12
-rw-r--r--glanceclient/tests/unit/v2/test_metadefs_tags.py10
-rw-r--r--glanceclient/tests/unit/v2/test_tags.py4
-rw-r--r--glanceclient/tests/unit/v2/test_tasks.py39
11 files changed, 300 insertions, 134 deletions
diff --git a/glanceclient/tests/unit/test_utils.py b/glanceclient/tests/unit/test_utils.py
index 272ad59..c081026 100644
--- a/glanceclient/tests/unit/test_utils.py
+++ b/glanceclient/tests/unit/test_utils.py
@@ -17,6 +17,7 @@ import sys
import mock
from oslo_utils import encodeutils
+from requests import Response
import six
# NOTE(jokke): simplified transition to py3, behaves like py2 xrange
from six.moves import range
@@ -25,6 +26,15 @@ import testtools
from glanceclient.common import utils
+REQUEST_ID = 'req-1234'
+
+
+def create_response_obj_with_req_id(req_id):
+ resp = Response()
+ resp.headers['x-openstack-request-id'] = req_id
+ return resp
+
+
class TestUtils(testtools.TestCase):
def test_make_size_human_readable(self):
@@ -178,3 +188,43 @@ class TestUtils(testtools.TestCase):
(name, value) = utils.safe_header(sensitive_header, None)
self.assertEqual(sensitive_header, name)
self.assertIsNone(value)
+
+ def test_generator_proxy(self):
+ def _test_decorator():
+ i = 1
+ resp = create_response_obj_with_req_id(REQUEST_ID)
+ while True:
+ yield i, resp
+ i += 1
+
+ gen_obj = _test_decorator()
+ proxy = utils.GeneratorProxy(gen_obj)
+
+ # Proxy object should succeed in behaving as the
+ # wrapped object
+ self.assertTrue(isinstance(proxy, type(gen_obj)))
+
+ # Initially request_ids should be empty
+ self.assertEqual([], proxy.request_ids)
+
+ # Only after we have started iterating we should
+ # see non-empty `request_ids` property
+ proxy.next()
+ self.assertEqual([REQUEST_ID], proxy.request_ids)
+
+ # Even after multiple iterations `request_ids` property
+ # should only contain one request id
+ proxy.next()
+ proxy.next()
+ self.assertEqual(1, len(proxy.request_ids))
+
+ def test_request_id_proxy(self):
+ def test_data(val):
+ resp = create_response_obj_with_req_id(REQUEST_ID)
+ return val, resp
+
+ # Object of any type except decorator can be passed to test_data
+ proxy = utils.RequestIdProxy(test_data(11))
+ # Verify that proxy object has a property `request_ids` and it is
+ # a list of one request id
+ self.assertEqual([REQUEST_ID], proxy.request_ids)
diff --git a/glanceclient/tests/unit/v2/base.py b/glanceclient/tests/unit/v2/base.py
new file mode 100644
index 0000000..7391595
--- /dev/null
+++ b/glanceclient/tests/unit/v2/base.py
@@ -0,0 +1,119 @@
+# Copyright 2016 NTT DATA
+#
+# Licensed under the Apache License, Version 2.0 (the "License"); you may
+# not use this file except in compliance with the License. You may obtain
+# a copy of the License at
+#
+# http://www.apache.org/licenses/LICENSE-2.0
+#
+# Unless required by applicable law or agreed to in writing, software
+# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
+# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
+# License for the specific language governing permissions and limitations
+# under the License.
+
+import testtools
+
+
+class BaseController(testtools.TestCase):
+ def __init__(self, api, schema_api, controller_class):
+ self.controller = controller_class(api, schema_api)
+
+ def _assertRequestId(self, obj):
+ self.assertIsNotNone(getattr(obj, 'request_ids', None))
+ self.assertEqual(['req-1234'], obj.request_ids)
+
+ def list(self, *args, **kwargs):
+ gen_obj = self.controller.list(*args, **kwargs)
+ # For generator cases the request_ids property will be an empty list
+ # until the underlying generator is invoked at-least once.
+ resources = list(gen_obj)
+ if len(resources) > 0:
+ self._assertRequestId(gen_obj)
+ else:
+ # If list is empty that means geneator object has raised
+ # StopIteration for first iteration and will not contain the
+ # request_id in it.
+ self.assertEqual([], gen_obj.request_ids)
+
+ return resources
+
+ def get(self, *args, **kwargs):
+ resource = self.controller.get(*args, **kwargs)
+
+ self._assertRequestId(resource)
+ return resource
+
+ def create(self, *args, **kwargs):
+ resource = self.controller.create(*args, **kwargs)
+ self._assertRequestId(resource)
+ return resource
+
+ def create_multiple(self, *args, **kwargs):
+ tags = self.controller.create_multiple(*args, **kwargs)
+ actual = [tag.name for tag in tags]
+ self._assertRequestId(tags)
+ return actual
+
+ def update(self, *args, **properties):
+ resource = self.controller.update(*args, **properties)
+ self._assertRequestId(resource)
+ return resource
+
+ def delete(self, *args):
+ resp = self.controller.delete(*args)
+ self._assertRequestId(resp)
+
+ def delete_all(self, *args):
+ resp = self.controller.delete_all(*args)
+ self._assertRequestId(resp)
+
+ def deactivate(self, *args):
+ resp = self.controller.deactivate(*args)
+ self._assertRequestId(resp)
+
+ def reactivate(self, *args):
+ resp = self.controller.reactivate(*args)
+ self._assertRequestId(resp)
+
+ def upload(self, *args, **kwargs):
+ resp = self.controller.upload(*args, **kwargs)
+ self._assertRequestId(resp)
+
+ def data(self, *args, **kwargs):
+ body = self.controller.data(*args, **kwargs)
+ self._assertRequestId(body)
+ return body
+
+ def delete_locations(self, *args):
+ resp = self.controller.delete_locations(*args)
+ self._assertRequestId(resp)
+
+ def add_location(self, *args, **kwargs):
+ resp = self.controller.add_location(*args, **kwargs)
+ self._assertRequestId(resp)
+
+ def update_location(self, *args, **kwargs):
+ resp = self.controller.update_location(*args, **kwargs)
+ self._assertRequestId(resp)
+
+ def associate(self, *args, **kwargs):
+ resource_types = self.controller.associate(*args, **kwargs)
+ self._assertRequestId(resource_types)
+ return resource_types
+
+ def deassociate(self, *args):
+ resp = self.controller.deassociate(*args)
+ self._assertRequestId(resp)
+
+
+class BaseResourceTypeController(BaseController):
+ def __init__(self, api, schema_api, controller_class):
+ super(BaseResourceTypeController, self).__init__(api, schema_api,
+ controller_class)
+
+ def get(self, *args, **kwargs):
+ resource_types = self.controller.get(*args)
+ names = [rt.name for rt in resource_types]
+ self._assertRequestId(resource_types)
+ return names
diff --git a/glanceclient/tests/unit/v2/test_images.py b/glanceclient/tests/unit/v2/test_images.py
index 0ae3836..5b1670e 100644
--- a/glanceclient/tests/unit/v2/test_images.py
+++ b/glanceclient/tests/unit/v2/test_images.py
@@ -18,6 +18,7 @@ import mock
import testtools
from glanceclient import exc
+from glanceclient.tests.unit.v2 import base
from glanceclient.tests import utils
from glanceclient.v2 import images
@@ -532,27 +533,25 @@ class TestController(testtools.TestCase):
super(TestController, self).setUp()
self.api = utils.FakeAPI(data_fixtures)
self.schema_api = utils.FakeSchemaAPI(schema_fixtures)
- self.controller = images.Controller(self.api, self.schema_api)
+ self.controller = base.BaseController(self.api, self.schema_api,
+ images.Controller)
def test_list_images(self):
- # NOTE(bcwaldon):cast to list since the controller returns a generator
- images = list(self.controller.list())
+ images = self.controller.list()
self.assertEqual('3a4560a1-e585-443e-9b39-553b46ec92d1', images[0].id)
self.assertEqual('image-1', images[0].name)
self.assertEqual('6f99bf80-2ee6-47cf-acfe-1f1fabb7e810', images[1].id)
self.assertEqual('image-2', images[1].name)
def test_list_images_paginated(self):
- # NOTE(bcwaldon):cast to list since the controller returns a generator
- images = list(self.controller.list(page_size=1))
+ images = self.controller.list(page_size=1)
self.assertEqual('3a4560a1-e585-443e-9b39-553b46ec92d1', images[0].id)
self.assertEqual('image-1', images[0].name)
self.assertEqual('6f99bf80-2ee6-47cf-acfe-1f1fabb7e810', images[1].id)
self.assertEqual('image-2', images[1].name)
def test_list_images_paginated_with_limit(self):
- # NOTE(bcwaldon):cast to list since the controller returns a generator
- images = list(self.controller.list(limit=3, page_size=2))
+ images = self.controller.list(limit=3, page_size=2)
self.assertEqual('3a4560a1-e585-443e-9b39-553b46ec92d1', images[0].id)
self.assertEqual('image-1', images[0].name)
self.assertEqual('6f99bf80-2ee6-47cf-acfe-1f1fabb7e810', images[1].id)
@@ -562,40 +561,40 @@ class TestController(testtools.TestCase):
self.assertEqual(3, len(images))
def test_list_images_with_marker(self):
- images = list(self.controller.list(limit=1,
- marker='3a4560a1-e585-443e-9b39-553b46ec92d1'))
+ images = self.controller.list(
+ limit=1, marker='3a4560a1-e585-443e-9b39-553b46ec92d1')
self.assertEqual('6f99bf80-2ee6-47cf-acfe-1f1fabb7e810', images[0].id)
self.assertEqual('image-2', images[0].name)
def test_list_images_visibility_public(self):
filters = {'filters': {'visibility': 'public'}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(_PUBLIC_ID, images[0].id)
def test_list_images_visibility_private(self):
filters = {'filters': {'visibility': 'private'}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(_PRIVATE_ID, images[0].id)
def test_list_images_visibility_shared(self):
filters = {'filters': {'visibility': 'shared'}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(_SHARED_ID, images[0].id)
def test_list_images_member_status_rejected(self):
filters = {'filters': {'member_status': 'rejected'}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(_STATUS_REJECTED_ID, images[0].id)
def test_list_images_for_owner(self):
filters = {'filters': {'owner': _OWNER_ID}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(_OWNED_IMAGE_ID, images[0].id)
def test_list_images_for_checksum_single_image(self):
fake_id = '3a4560a1-e585-443e-9b39-553b46ec92d1'
filters = {'filters': {'checksum': _CHKSUM}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(1, len(images))
self.assertEqual('%s' % fake_id, images[0].id)
@@ -603,32 +602,32 @@ class TestController(testtools.TestCase):
fake_id1 = '2a4560b2-e585-443e-9b39-553b46ec92d1'
fake_id2 = '6f99bf80-2ee6-47cf-acfe-1f1fabb7e810'
filters = {'filters': {'checksum': _CHKSUM1}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(2, len(images))
self.assertEqual('%s' % fake_id1, images[0].id)
self.assertEqual('%s' % fake_id2, images[1].id)
def test_list_images_for_wrong_checksum(self):
filters = {'filters': {'checksum': 'wrong'}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(0, len(images))
def test_list_images_for_bogus_owner(self):
filters = {'filters': {'owner': _BOGUS_ID}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual([], images)
def test_list_images_for_bunch_of_filters(self):
filters = {'filters': {'owner': _BOGUS_ID,
'visibility': 'shared',
'member_status': 'pending'}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(_EVERYTHING_ID, images[0].id)
def test_list_images_filters_encoding(self):
filters = {"owner": u"ni\xf1o"}
try:
- list(self.controller.list(filters=filters))
+ self.controller.list(filters=filters)
except KeyError:
# NOTE(flaper87): It raises KeyError because there's
# no fixture supporting this query:
@@ -640,7 +639,7 @@ class TestController(testtools.TestCase):
def test_list_images_for_tag_single_image(self):
img_id = '3a4560a1-e585-443e-9b39-553b46ec92d1'
filters = {'filters': {'tag': [_TAG1]}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(1, len(images))
self.assertEqual('%s' % img_id, images[0].id)
@@ -648,7 +647,7 @@ class TestController(testtools.TestCase):
img_id1 = '2a4560b2-e585-443e-9b39-553b46ec92d1'
img_id2 = '6f99bf80-2ee6-47cf-acfe-1f1fabb7e810'
filters = {'filters': {'tag': [_TAG2]}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(2, len(images))
self.assertEqual('%s' % img_id1, images[0].id)
self.assertEqual('%s' % img_id2, images[1].id)
@@ -656,33 +655,32 @@ class TestController(testtools.TestCase):
def test_list_images_for_multi_tags(self):
img_id1 = '2a4560b2-e585-443e-9b39-553b46ec92d1'
filters = {'filters': {'tag': [_TAG1, _TAG2]}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(1, len(images))
self.assertEqual('%s' % img_id1, images[0].id)
def test_list_images_for_non_existent_tag(self):
filters = {'filters': {'tag': ['fake']}}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(0, len(images))
def test_list_images_for_invalid_tag(self):
filters = {'filters': {'tag': [[]]}}
self.assertRaises(exc.HTTPBadRequest,
- list,
- self.controller.list(**filters))
+ self.controller.list, **filters)
def test_list_images_with_single_sort_key(self):
img_id1 = '2a4560b2-e585-443e-9b39-553b46ec92d1'
sort_key = 'name'
- images = list(self.controller.list(sort_key=sort_key))
+ images = self.controller.list(sort_key=sort_key)
self.assertEqual(2, len(images))
self.assertEqual('%s' % img_id1, images[0].id)
def test_list_with_multiple_sort_keys(self):
img_id1 = '2a4560b2-e585-443e-9b39-553b46ec92d1'
sort_key = ['name', 'id']
- images = list(self.controller.list(sort_key=sort_key))
+ images = self.controller.list(sort_key=sort_key)
self.assertEqual(2, len(images))
self.assertEqual('%s' % img_id1, images[0].id)
@@ -690,8 +688,7 @@ class TestController(testtools.TestCase):
img_id1 = '2a4560b2-e585-443e-9b39-553b46ec92d1'
sort_key = 'id'
sort_dir = 'desc'
- images = list(self.controller.list(sort_key=sort_key,
- sort_dir=sort_dir))
+ images = self.controller.list(sort_key=sort_key, sort_dir=sort_dir)
self.assertEqual(2, len(images))
self.assertEqual('%s' % img_id1, images[1].id)
@@ -699,8 +696,7 @@ class TestController(testtools.TestCase):
img_id1 = '2a4560b2-e585-443e-9b39-553b46ec92d1'
sort_key = ['name', 'id']
sort_dir = 'desc'
- images = list(self.controller.list(sort_key=sort_key,
- sort_dir=sort_dir))
+ images = self.controller.list(sort_key=sort_key, sort_dir=sort_dir)
self.assertEqual(2, len(images))
self.assertEqual('%s' % img_id1, images[1].id)
@@ -708,61 +704,50 @@ class TestController(testtools.TestCase):
img_id1 = '2a4560b2-e585-443e-9b39-553b46ec92d1'
sort_key = ['name', 'id']
sort_dir = ['desc', 'asc']
- images = list(self.controller.list(sort_key=sort_key,
- sort_dir=sort_dir))
+ images = self.controller.list(sort_key=sort_key, sort_dir=sort_dir)
self.assertEqual(2, len(images))
self.assertEqual('%s' % img_id1, images[1].id)
def test_list_images_with_new_sorting_syntax(self):
img_id1 = '2a4560b2-e585-443e-9b39-553b46ec92d1'
sort = 'name:desc,size:asc'
- images = list(self.controller.list(sort=sort))
+ images = self.controller.list(sort=sort)
self.assertEqual(2, len(images))
self.assertEqual('%s' % img_id1, images[1].id)
def test_list_images_sort_dirs_fewer_than_keys(self):
sort_key = ['name', 'id', 'created_at']
sort_dir = ['desc', 'asc']
- self.assertRaises(exc.HTTPBadRequest,
- list,
- self.controller.list(
- sort_key=sort_key,
- sort_dir=sort_dir))
+ self.assertRaises(exc.HTTPBadRequest, self.controller.list,
+ sort_key=sort_key, sort_dir=sort_dir)
def test_list_images_combined_syntax(self):
sort_key = ['name', 'id']
sort_dir = ['desc', 'asc']
sort = 'name:asc'
self.assertRaises(exc.HTTPBadRequest,
- list,
- self.controller.list(
- sort=sort,
- sort_key=sort_key,
- sort_dir=sort_dir))
+ self.controller.list, sort=sort, sort_key=sort_key,
+ sort_dir=sort_dir)
def test_list_images_new_sorting_syntax_invalid_key(self):
sort = 'INVALID:asc'
- self.assertRaises(exc.HTTPBadRequest,
- list,
- self.controller.list(
- sort=sort))
+ self.assertRaises(exc.HTTPBadRequest, self.controller.list,
+ sort=sort)
def test_list_images_new_sorting_syntax_invalid_direction(self):
sort = 'name:INVALID'
- self.assertRaises(exc.HTTPBadRequest,
- list,
- self.controller.list(
- sort=sort))
+ self.assertRaises(exc.HTTPBadRequest, self.controller.list,
+ sort=sort)
def test_list_images_for_property(self):
filters = {'filters': dict([('os_distro', 'NixOS')])}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(1, len(images))
def test_list_images_for_non_existent_property(self):
filters = {'filters': dict([('my_little_property',
'cant_be_this_cute')])}
- images = list(self.controller.list(**filters))
+ images = self.controller.list(**filters)
self.assertEqual(0, len(images))
def test_get_image(self):
@@ -804,7 +789,7 @@ class TestController(testtools.TestCase):
None)]
self.assertEqual(expect, self.api.calls)
- def reactivate_image(self):
+ def test_reactivate_image(self):
id_image = '87b634c1-f893-33c9-28a9-e5673c99239a'
self.controller.reactivate(id_image)
expect = [('POST',
@@ -868,12 +853,12 @@ class TestController(testtools.TestCase):
def test_download_no_data(self):
resp = utils.FakeResponse(headers={}, status_code=204)
- self.controller.http_client.get = mock.Mock(return_value=(resp, None))
- body = self.controller.data('image_id')
- self.assertIsNone(body)
+ self.controller.controller.http_client.get = mock.Mock(
+ return_value=(resp, None))
+ self.controller.data('image_id')
def test_download_forbidden(self):
- self.controller.http_client.get = mock.Mock(
+ self.controller.controller.http_client.get = mock.Mock(
side_effect=exc.HTTPForbidden())
try:
self.controller.data('image_id')
@@ -893,7 +878,8 @@ class TestController(testtools.TestCase):
expect = [
('GET', '/v2/images/%s' % image_id, {}, None),
('PATCH', '/v2/images/%s' % image_id, expect_hdrs, expect_body),
- ('GET', '/v2/images/%s' % image_id, {}, None),
+ ('GET', '/v2/images/%s' % image_id,
+ {'x-openstack-request-id': 'req-1234'}, None),
]
self.assertEqual(expect, self.api.calls)
self.assertEqual(image_id, image.id)
@@ -912,7 +898,8 @@ class TestController(testtools.TestCase):
expect = [
('GET', '/v2/images/%s' % image_id, {}, None),
('PATCH', '/v2/images/%s' % image_id, expect_hdrs, expect_body),
- ('GET', '/v2/images/%s' % image_id, {}, None),
+ ('GET', '/v2/images/%s' % image_id,
+ {'x-openstack-request-id': 'req-1234'}, None),
]
self.assertEqual(expect, self.api.calls)
self.assertEqual(image_id, image.id)
@@ -931,7 +918,8 @@ class TestController(testtools.TestCase):
expect = [
('GET', '/v2/images/%s' % image_id, {}, None),
('PATCH', '/v2/images/%s' % image_id, expect_hdrs, expect_body),
- ('GET', '/v2/images/%s' % image_id, {}, None),
+ ('GET', '/v2/images/%s' % image_id,
+ {'x-openstack-request-id': 'req-1234'}, None),
]
self.assertEqual(expect, self.api.calls)
self.assertEqual(image_id, image.id)
@@ -953,7 +941,8 @@ class TestController(testtools.TestCase):
expect = [
('GET', '/v2/images/%s' % image_id, {}, None),
('PATCH', '/v2/images/%s' % image_id, expect_hdrs, expect_body),
- ('GET', '/v2/images/%s' % image_id, {}, None),
+ ('GET', '/v2/images/%s' % image_id,
+ {'x-openstack-request-id': 'req-1234'}, None),
]
self.assertEqual(expect, self.api.calls)
self.assertEqual(image_id, image.id)
@@ -974,7 +963,8 @@ class TestController(testtools.TestCase):
expect = [
('GET', '/v2/images/%s' % image_id, {}, None),
('PATCH', '/v2/images/%s' % image_id, expect_hdrs, expect_body),
- ('GET', '/v2/images/%s' % image_id, {}, None),
+ ('GET', '/v2/images/%s' % image_id,
+ {'x-openstack-request-id': 'req-1234'}, None),
]
self.assertEqual(expect, self.api.calls)
self.assertEqual(image_id, image.id)
@@ -999,7 +989,8 @@ class TestController(testtools.TestCase):
expect = [
('GET', '/v2/images/%s' % image_id, {}, None),
('PATCH', '/v2/images/%s' % image_id, expect_hdrs, expect_body),
- ('GET', '/v2/images/%s' % image_id, {}, None),
+ ('GET', '/v2/images/%s' % image_id,
+ {'x-openstack-request-id': 'req-1234'}, None),
]
self.assertEqual(expect, self.api.calls)
self.assertEqual(image_id, image.id)
@@ -1016,7 +1007,8 @@ class TestController(testtools.TestCase):
expect = [
('GET', '/v2/images/%s' % image_id, {}, None),
('PATCH', '/v2/images/%s' % image_id, expect_hdrs, expect_body),
- ('GET', '/v2/images/%s' % image_id, {}, None),
+ ('GET', '/v2/images/%s' % image_id,
+ {'x-openstack-request-id': 'req-1234'}, None),
]
self.assertEqual(expect, self.api.calls)
self.assertEqual(image_id, image.id)
@@ -1040,8 +1032,9 @@ class TestController(testtools.TestCase):
image_id, url, meta)
self.assertIn(estr, str(e))
- def _empty_get(self, image_id):
- return ('GET', '/v2/images/%s' % image_id, {}, None)
+ def _empty_get(self, image_id, headers=None):
+ return ('GET', '/v2/images/%s' % image_id,
+ headers or {}, None)
def _patch_req(self, image_id, patch_body):
c_type = 'application/openstack-images-v2.1-json-patch'
@@ -1055,9 +1048,11 @@ class TestController(testtools.TestCase):
image_id = 'a2b83adc-888e-11e3-8872-78acc0b951d8'
new_loc = {'url': 'http://spam.com/', 'metadata': {'spam': 'ham'}}
add_patch = {'path': '/locations/-', 'value': new_loc, 'op': 'add'}
+ headers = {'x-openstack-request-id': 'req-1234'}
self.controller.add_location(image_id, **new_loc)
self.assertEqual([self._patch_req(image_id, [add_patch]),
- self._empty_get(image_id)], self.api.calls)
+ self._empty_get(image_id, headers=headers)],
+ self.api.calls)
@mock.patch.object(images.Controller, '_send_image_update_request',
side_effect=exc.HTTPBadRequest)
@@ -1092,6 +1087,7 @@ class TestController(testtools.TestCase):
def test_update_location(self):
image_id = 'a2b83adc-888e-11e3-8872-78acc0b951d8'
new_loc = {'url': 'http://foo.com/', 'metadata': {'spam': 'ham'}}
+ headers = {'x-openstack-request-id': 'req-1234'}
fixture_idx = '/v2/images/%s' % (image_id)
orig_locations = data_fixtures[fixture_idx]['GET'][1]['locations']
loc_map = dict([(l['url'], l) for l in orig_locations])
@@ -1101,12 +1097,13 @@ class TestController(testtools.TestCase):
self.controller.update_location(image_id, **new_loc)
self.assertEqual([self._empty_get(image_id),
self._patch_req(image_id, mod_patch),
- self._empty_get(image_id)],
+ self._empty_get(image_id, headers=headers)],
self.api.calls)
def test_update_tags(self):
image_id = 'a2b83adc-888e-11e3-8872-78acc0b951d8'
tag_map = {'tags': ['tag01', 'tag02', 'tag03']}
+ headers = {'x-openstack-request-id': 'req-1234'}
image = self.controller.update(image_id, **tag_map)
@@ -1115,7 +1112,7 @@ class TestController(testtools.TestCase):
expected = [
self._empty_get(image_id),
self._patch_req(image_id, expected_body),
- self._empty_get(image_id)
+ self._empty_get(image_id, headers=headers)
]
self.assertEqual(expected, self.api.calls)
self.assertEqual(image_id, image.id)
diff --git a/glanceclient/tests/unit/v2/test_members.py b/glanceclient/tests/unit/v2/test_members.py
index be378f9..7048a97 100644
--- a/glanceclient/tests/unit/v2/test_members.py
+++ b/glanceclient/tests/unit/v2/test_members.py
@@ -15,6 +15,7 @@
import testtools
+from glanceclient.tests.unit.v2 import base
from glanceclient.tests import utils
from glanceclient.v2 import image_members
@@ -80,12 +81,12 @@ class TestController(testtools.TestCase):
super(TestController, self).setUp()
self.api = utils.FakeAPI(data_fixtures)
self.schema_api = utils.FakeSchemaAPI(schema_fixtures)
- self.controller = image_members.Controller(self.api, self.schema_api)
+ self.controller = base.BaseController(self.api, self.schema_api,
+ image_members.Controller)
def test_list_image_members(self):
image_id = IMAGE
- # NOTE(iccha): cast to list since the controller returns a generator
- image_members = list(self.controller.list(image_id))
+ image_members = self.controller.list(image_id)
self.assertEqual(IMAGE, image_members[0].image_id)
self.assertEqual(MEMBER, image_members[0].member_id)
diff --git a/glanceclient/tests/unit/v2/test_metadefs_namespaces.py b/glanceclient/tests/unit/v2/test_metadefs_namespaces.py
index afadda8..1c19d8b 100644
--- a/glanceclient/tests/unit/v2/test_metadefs_namespaces.py
+++ b/glanceclient/tests/unit/v2/test_metadefs_namespaces.py
@@ -15,6 +15,7 @@
import testtools
+from glanceclient.tests.unit.v2 import base
from glanceclient.tests import utils
from glanceclient.v2 import metadefs
@@ -542,83 +543,79 @@ class TestNamespaceController(testtools.TestCase):
super(TestNamespaceController, self).setUp()
self.api = utils.FakeAPI(data_fixtures)
self.schema_api = utils.FakeSchemaAPI(schema_fixtures)
- self.controller = metadefs.NamespaceController(self.api,
- self.schema_api)
+ self.controller = base.BaseController(self.api, self.schema_api,
+ metadefs.NamespaceController)
def test_list_namespaces(self):
- namespaces = list(self.controller.list())
-
+ namespaces = self.controller.list()
self.assertEqual(2, len(namespaces))
self.assertEqual(NAMESPACE1, namespaces[0]['namespace'])
self.assertEqual(NAMESPACE2, namespaces[1]['namespace'])
def test_list_namespaces_paginate(self):
- namespaces = list(self.controller.list(page_size=1))
-
+ namespaces = self.controller.list(page_size=1)
self.assertEqual(2, len(namespaces))
self.assertEqual(NAMESPACE7, namespaces[0]['namespace'])
self.assertEqual(NAMESPACE8, namespaces[1]['namespace'])
def test_list_with_limit_greater_than_page_size(self):
- namespaces = list(self.controller.list(page_size=1, limit=2))
+ namespaces = self.controller.list(page_size=1, limit=2)
self.assertEqual(2, len(namespaces))
self.assertEqual(NAMESPACE7, namespaces[0]['namespace'])
self.assertEqual(NAMESPACE8, namespaces[1]['namespace'])
def test_list_with_marker(self):
- namespaces = list(self.controller.list(marker=NAMESPACE6, page_size=2))
+ namespaces = self.controller.list(marker=NAMESPACE6, page_size=2)
self.assertEqual(2, len(namespaces))
self.assertEqual(NAMESPACE7, namespaces[0]['namespace'])
self.assertEqual(NAMESPACE8, namespaces[1]['namespace'])
def test_list_with_sort_dir(self):
- namespaces = list(self.controller.list(sort_dir='asc', limit=1))
+ namespaces = self.controller.list(sort_dir='asc', limit=1)
self.assertEqual(1, len(namespaces))
self.assertEqual(NAMESPACE1, namespaces[0]['namespace'])
def test_list_with_sort_dir_invalid(self):
# NOTE(TravT): The clients work by returning an iterator.
# Invoking the iterator is what actually executes the logic.
- ns_iterator = self.controller.list(sort_dir='foo')
- self.assertRaises(ValueError, next, ns_iterator)
+ self.assertRaises(ValueError, self.controller.list, sort_dir='foo')
def test_list_with_sort_key(self):
- namespaces = list(self.controller.list(sort_key='created_at', limit=1))
+ namespaces = self.controller.list(sort_key='created_at', limit=1)
self.assertEqual(1, len(namespaces))
self.assertEqual(NAMESPACE1, namespaces[0]['namespace'])
def test_list_with_sort_key_invalid(self):
# NOTE(TravT): The clients work by returning an iterator.
# Invoking the iterator is what actually executes the logic.
- ns_iterator = self.controller.list(sort_key='foo')
- self.assertRaises(ValueError, next, ns_iterator)
+ self.assertRaises(ValueError, self.controller.list, sort_key='foo')
def test_list_namespaces_with_one_resource_type_filter(self):
- namespaces = list(self.controller.list(
+ namespaces = self.controller.list(
filters={
'resource_types': [RESOURCE_TYPE1]
}
- ))
+ )
self.assertEqual(1, len(namespaces))
self.assertEqual(NAMESPACE3, namespaces[0]['namespace'])
def test_list_namespaces_with_multiple_resource_types_filter(self):
- namespaces = list(self.controller.list(
+ namespaces = self.controller.list(
filters={
'resource_types': [RESOURCE_TYPE1, RESOURCE_TYPE2]
}
- ))
+ )
self.assertEqual(1, len(namespaces))
self.assertEqual(NAMESPACE4, namespaces[0]['namespace'])
def test_list_namespaces_with_visibility_filter(self):
- namespaces = list(self.controller.list(
+ namespaces = self.controller.list(
filters={
'visibility': 'private'
}
- ))
+ )
self.assertEqual(1, len(namespaces))
self.assertEqual(NAMESPACE5, namespaces[0]['namespace'])
diff --git a/glanceclient/tests/unit/v2/test_metadefs_objects.py b/glanceclient/tests/unit/v2/test_metadefs_objects.py
index f554fcb..509f755 100644
--- a/glanceclient/tests/unit/v2/test_metadefs_objects.py
+++ b/glanceclient/tests/unit/v2/test_metadefs_objects.py
@@ -16,6 +16,7 @@
import six
import testtools
+from glanceclient.tests.unit.v2 import base
from glanceclient.tests import utils
from glanceclient.v2 import metadefs
@@ -263,11 +264,11 @@ class TestObjectController(testtools.TestCase):
super(TestObjectController, self).setUp()
self.api = utils.FakeAPI(data_fixtures)
self.schema_api = utils.FakeSchemaAPI(schema_fixtures)
- self.controller = metadefs.ObjectController(self.api, self.schema_api)
+ self.controller = base.BaseController(self.api, self.schema_api,
+ metadefs.ObjectController)
def test_list_object(self):
- objects = list(self.controller.list(NAMESPACE1))
-
+ objects = self.controller.list(NAMESPACE1)
actual = [obj.name for obj in objects]
self.assertEqual([OBJECT1, OBJECT2], actual)
diff --git a/glanceclient/tests/unit/v2/test_metadefs_properties.py b/glanceclient/tests/unit/v2/test_metadefs_properties.py
index 11165b9..68c3733 100644
--- a/glanceclient/tests/unit/v2/test_metadefs_properties.py
+++ b/glanceclient/tests/unit/v2/test_metadefs_properties.py
@@ -15,6 +15,7 @@
import testtools
+from glanceclient.tests.unit.v2 import base
from glanceclient.tests import utils
from glanceclient.v2 import metadefs
@@ -238,12 +239,11 @@ class TestPropertyController(testtools.TestCase):
super(TestPropertyController, self).setUp()
self.api = utils.FakeAPI(data_fixtures)
self.schema_api = utils.FakeSchemaAPI(schema_fixtures)
- self.controller = metadefs.PropertyController(self.api,
- self.schema_api)
+ self.controller = base.BaseController(self.api, self.schema_api,
+ metadefs.PropertyController)
def test_list_property(self):
- properties = list(self.controller.list(NAMESPACE1))
-
+ properties = self.controller.list(NAMESPACE1)
actual = [prop.name for prop in properties]
self.assertEqual(sorted([PROPERTY1, PROPERTY2]), sorted(actual))
diff --git a/glanceclient/tests/unit/v2/test_metadefs_resource_types.py b/glanceclient/tests/unit/v2/test_metadefs_resource_types.py
index 7893e96..0735bb5 100644
--- a/glanceclient/tests/unit/v2/test_metadefs_resource_types.py
+++ b/glanceclient/tests/unit/v2/test_metadefs_resource_types.py
@@ -15,6 +15,7 @@
import testtools
+from glanceclient.tests.unit.v2 import base
from glanceclient.tests import utils
from glanceclient.v2 import metadefs
@@ -151,18 +152,17 @@ class TestResoureTypeController(testtools.TestCase):
super(TestResoureTypeController, self).setUp()
self.api = utils.FakeAPI(data_fixtures)
self.schema_api = utils.FakeSchemaAPI(schema_fixtures)
- self.controller = metadefs.ResourceTypeController(self.api,
- self.schema_api)
+ self.controller = base.BaseResourceTypeController(
+ self.api, self.schema_api, metadefs.ResourceTypeController)
def test_list_resource_types(self):
- resource_types = list(self.controller.list())
+ resource_types = self.controller.list()
names = [rt.name for rt in resource_types]
self.assertEqual([RESOURCE_TYPE1, RESOURCE_TYPE2], names)
def test_get_resource_types(self):
- resource_types = list(self.controller.get(NAMESPACE1))
- names = [rt.name for rt in resource_types]
- self.assertEqual([RESOURCE_TYPE3, RESOURCE_TYPE4], names)
+ resource_types = self.controller.get(NAMESPACE1)
+ self.assertEqual([RESOURCE_TYPE3, RESOURCE_TYPE4], resource_types)
def test_associate_resource_types(self):
resource_types = self.controller.associate(NAMESPACE1,
diff --git a/glanceclient/tests/unit/v2/test_metadefs_tags.py b/glanceclient/tests/unit/v2/test_metadefs_tags.py
index 1df53b6..936e13e 100644
--- a/glanceclient/tests/unit/v2/test_metadefs_tags.py
+++ b/glanceclient/tests/unit/v2/test_metadefs_tags.py
@@ -15,6 +15,7 @@
import testtools
+from glanceclient.tests.unit.v2 import base
from glanceclient.tests import utils
from glanceclient.v2 import metadefs
@@ -134,11 +135,11 @@ class TestTagController(testtools.TestCase):
super(TestTagController, self).setUp()
self.api = utils.FakeAPI(data_fixtures)
self.schema_api = utils.FakeSchemaAPI(schema_fixtures)
- self.controller = metadefs.TagController(self.api, self.schema_api)
+ self.controller = base.BaseController(self.api, self.schema_api,
+ metadefs.TagController)
def test_list_tag(self):
- tags = list(self.controller.list(NAMESPACE1))
-
+ tags = self.controller.list(NAMESPACE1)
actual = [tag.name for tag in tags]
self.assertEqual([TAG1, TAG2], actual)
@@ -155,8 +156,7 @@ class TestTagController(testtools.TestCase):
'tags': [TAGNEW2, TAGNEW3]
}
tags = self.controller.create_multiple(NAMESPACE1, **properties)
- actual = [tag.name for tag in tags]
- self.assertEqual([TAGNEW2, TAGNEW3], actual)
+ self.assertEqual([TAGNEW2, TAGNEW3], tags)
def test_update_tag(self):
properties = {
diff --git a/glanceclient/tests/unit/v2/test_tags.py b/glanceclient/tests/unit/v2/test_tags.py
index 790080e..9a6aec5 100644
--- a/glanceclient/tests/unit/v2/test_tags.py
+++ b/glanceclient/tests/unit/v2/test_tags.py
@@ -15,6 +15,7 @@
import testtools
+from glanceclient.tests.unit.v2 import base
from glanceclient.tests import utils
from glanceclient.v2 import image_tags
@@ -54,7 +55,8 @@ class TestController(testtools.TestCase):
super(TestController, self).setUp()
self.api = utils.FakeAPI(data_fixtures)
self.schema_api = utils.FakeSchemaAPI(schema_fixtures)
- self.controller = image_tags.Controller(self.api, self.schema_api)
+ self.controller = base.BaseController(self.api, self.schema_api,
+ image_tags.Controller)
def test_update_image_tag(self):
image_id = IMAGE
diff --git a/glanceclient/tests/unit/v2/test_tasks.py b/glanceclient/tests/unit/v2/test_tasks.py
index 860b569..2da50f2 100644
--- a/glanceclient/tests/unit/v2/test_tasks.py
+++ b/glanceclient/tests/unit/v2/test_tasks.py
@@ -16,6 +16,7 @@
import testtools
+from glanceclient.tests.unit.v2 import base
from glanceclient.tests import utils
from glanceclient.v2 import tasks
@@ -252,11 +253,11 @@ class TestController(testtools.TestCase):
super(TestController, self).setUp()
self.api = utils.FakeAPI(fixtures)
self.schema_api = utils.FakeSchemaAPI(schema_fixtures)
- self.controller = tasks.Controller(self.api, self.schema_api)
+ self.controller = base.BaseController(self.api, self.schema_api,
+ tasks.Controller)
def test_list_tasks(self):
- # NOTE(flwang): cast to list since the controller returns a generator
- tasks = list(self.controller.list())
+ tasks = self.controller.list()
self.assertEqual(_PENDING_ID, tasks[0].id)
self.assertEqual('import', tasks[0].type)
self.assertEqual('pending', tasks[0].status)
@@ -265,8 +266,7 @@ class TestController(testtools.TestCase):
self.assertEqual('processing', tasks[1].status)
def test_list_tasks_paginated(self):
- # NOTE(flwang): cast to list since the controller returns a generator
- tasks = list(self.controller.list(page_size=1))
+ tasks = self.controller.list(page_size=1)
self.assertEqual(_PENDING_ID, tasks[0].id)
self.assertEqual('import', tasks[0].type)
self.assertEqual(_PROCESSING_ID, tasks[1].id)
@@ -274,38 +274,38 @@ class TestController(testtools.TestCase):
def test_list_tasks_with_status(self):
filters = {'filters': {'status': 'processing'}}
- tasks = list(self.controller.list(**filters))
+ tasks = self.controller.list(**filters)
self.assertEqual(_OWNED_TASK_ID, tasks[0].id)
def test_list_tasks_with_wrong_status(self):
filters = {'filters': {'status': 'fake'}}
- tasks = list(self.controller.list(**filters))
+ tasks = self.controller.list(**filters)
self.assertEqual(0, len(tasks))
def test_list_tasks_with_type(self):
filters = {'filters': {'type': 'import'}}
- tasks = list(self.controller.list(**filters))
+ tasks = self.controller.list(**filters)
self.assertEqual(_OWNED_TASK_ID, tasks[0].id)
def test_list_tasks_with_wrong_type(self):
filters = {'filters': {'type': 'fake'}}
- tasks = list(self.controller.list(**filters))
+ tasks = self.controller.list(**filters)
self.assertEqual(0, len(tasks))
def test_list_tasks_for_owner(self):
filters = {'filters': {'owner': _OWNER_ID}}
- tasks = list(self.controller.list(**filters))
+ tasks = self.controller.list(**filters)
self.assertEqual(_OWNED_TASK_ID, tasks[0].id)
def test_list_tasks_for_fake_owner(self):
filters = {'filters': {'owner': _FAKE_OWNER_ID}}
- tasks = list(self.controller.list(**filters))
+ tasks = self.controller.list(**filters)
self.assertEqual(tasks, [])
def test_list_tasks_filters_encoding(self):
filters = {"owner": u"ni\xf1o"}
try:
- list(self.controller.list(filters=filters))
+ self.controller.list(filters=filters)
except KeyError:
# NOTE(flaper87): It raises KeyError because there's
# no fixture supporting this query:
@@ -316,34 +316,33 @@ class TestController(testtools.TestCase):
self.assertEqual(b"ni\xc3\xb1o", filters["owner"])
def test_list_tasks_with_marker(self):
- tasks = list(self.controller.list(marker=_PENDING_ID, page_size=1))
+ tasks = self.controller.list(marker=_PENDING_ID, page_size=1)
self.assertEqual(1, len(tasks))
self.assertEqual(_PROCESSING_ID, tasks[0]['id'])
def test_list_tasks_with_single_sort_key(self):
- tasks = list(self.controller.list(sort_key='type'))
+ tasks = self.controller.list(sort_key='type')
self.assertEqual(2, len(tasks))
self.assertEqual(_PENDING_ID, tasks[0].id)
def test_list_tasks_with_invalid_sort_key(self):
self.assertRaises(ValueError,
- list,
- self.controller.list(sort_key='invalid'))
+ self.controller.list, sort_key='invalid')
def test_list_tasks_with_desc_sort_dir(self):
- tasks = list(self.controller.list(sort_key='id', sort_dir='desc'))
+ tasks = self.controller.list(sort_key='id', sort_dir='desc')
self.assertEqual(2, len(tasks))
self.assertEqual(_PENDING_ID, tasks[1].id)
def test_list_tasks_with_asc_sort_dir(self):
- tasks = list(self.controller.list(sort_key='id', sort_dir='asc'))
+ tasks = self.controller.list(sort_key='id', sort_dir='asc')
self.assertEqual(2, len(tasks))
self.assertEqual(_PENDING_ID, tasks[0].id)
def test_list_tasks_with_invalid_sort_dir(self):
self.assertRaises(ValueError,
- list,
- self.controller.list(sort_dir='invalid'))
+ self.controller.list,
+ sort_dir='invalid')
def test_get_task(self):
task = self.controller.get(_PENDING_ID)