1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89
|
#
# 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.
"""Core response handlers."""
from gabbi.handlers import base
class StringResponseHandler(base.ResponseHandler):
"""Test for matching strings in the the response body."""
test_key_suffix = 'strings'
test_key_value = []
def action(self, test, expected, value=None):
is_regex = self.is_regex(expected)
expected = test.replace_template(expected, escape_regex=is_regex)
if is_regex:
# Trim off /
expected = expected[1:-1]
test.assertRegex(
test.output, expected,
'Expect resonse body %s to match /%s/' %
(test.output, expected))
else:
test.assert_in_or_print_output(expected, test.output)
class ForbiddenHeadersResponseHandler(base.ResponseHandler):
"""Test that listed headers are not in the response."""
test_key_suffix = 'forbidden_headers'
test_key_value = []
def action(self, test, forbidden, value=None):
# normalize forbidden header to lower case
forbidden = test.replace_template(forbidden).lower()
test.assertNotIn(forbidden, test.response,
'Forbidden header %s found in response' % forbidden)
class HeadersResponseHandler(base.ResponseHandler):
"""Compare expected headers with actual headers.
If a header value is wrapped in ``/`` it is treated as a raw
regular expression.
Headers values are always treated as strings.
"""
test_key_suffix = 'headers'
test_key_value = {}
def action(self, test, header, value=None):
header = header.lower() # case-insensitive comparison
response = test.response
header_value = str(value)
is_regex = self.is_regex(header_value)
header_value = test.replace_template(header_value,
escape_regex=is_regex)
try:
response_value = str(response[header])
except KeyError:
raise AssertionError(
"'%s' header not present in response: %s" % (
header, response.keys()))
if is_regex:
header_value = header_value[1:-1]
test.assertRegex(
response_value, header_value,
'Expect header %s to match /%s/, got %s' %
(header, header_value, response_value))
else:
test.assertEqual(header_value, response_value,
'Expect header %s with value %s, got %s' %
(header, header_value, response[header]))
|