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 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756
|
# User Guide
RESPX is a mock router, [capturing](#mock-httpx) requests sent by `HTTPX`, [mocking](#mocking-responses) their responses.
Inspired by the flexible query API of the [Django](https://www.djangoproject.com/) ORM, requests are filtered and matched against routes and their request [patterns](api.md#patterns) and [lookups](api.md#lookups).
Request [patterns](api.md#patterns) are *bits* of the request, like `host` `method` `path` etc,
with given [lookup](api.md#lookups) values, combined using *bitwise* [operators](api.md#operators) to form a `Route`,
i.e. `respx.route(path__regex=...)`
A captured request, [matching](#routing-requests) a `Route`, resolves to a [mocked](#mock-a-response) `httpx.Response`, or triggers a given [side effect](#mock-with-a-side-effect).
To skip mocking a specific request, a route can be marked to [pass through](#pass-through).
## Mock HTTPX
To patch `HTTPX`, and activate the RESPX router,
use the `respx.mock` decorator/context manager, or the `respx_mock` *pytest* fixture.
### Using the Decorator
``` python
import httpx
import respx
@respx.mock
def test_decorator():
my_route = respx.get("https://example.org/")
response = httpx.get("https://example.org/")
assert my_route.called
assert response.status_code == 200
```
### Using the Context Manager
``` python
import httpx
import respx
def test_ctx_manager():
with respx.mock:
my_route = respx.get("https://example.org/")
response = httpx.get("https://example.org/")
assert my_route.called
assert response.status_code == 200
```
### Using the pytest Fixture
``` python
import httpx
def test_fixture(respx_mock):
my_route = respx_mock.get("https://example.org/")
response = httpx.get("https://example.org/")
assert my_route.called
assert response.status_code == 200
```
### Router Settings
The RESPX router can be configured with built-in assertion checks and an *optional* [base URL](#base-url).
By configuring, an isolated router is created, and settings are *locally* bound to the routes added.
Either of the decorator, context manager and fixture takes the same configuration arguments.
> See router [configuration](api.md#configuration) reference for more details.
**Configure the Decorator**
When decorating a test case with configured router settings, the test function will receive the router instance as a `respx_mock` argument.
``` python
@respx.mock(...)
def test_something(respx_mock):
...
```
**Configure the Context Manager**
When passing settings to the context manager, the configured router instance will be *yielded*.
``` python
with respx.mock(...) as respx_mock:
...
```
**Configure the Fixture**
To configure the router when using the `pytest` fixture, decorate the test case with the `respx` *pytest marker*.
``` python
@pytest.mark.respx(...)
def test_something(respx_mock):
...
```
#### Base URL
When adding a lot of routes, sharing the same domain/prefix, you can configure the router with a `base_url` to be used for added routes.
``` python
import httpx
import respx
from httpx import Response
@respx.mock(base_url="https://example.org/api/")
async def test_something(respx_mock):
async with httpx.AsyncClient(base_url="https://example.org/api/") as client:
respx_mock.get("/baz/").mock(return_value=Response(200, text="Baz"))
response = await client.get("/baz/")
assert response.text == "Baz"
```
#### Assert all Mocked
By default, asserts that all sent and captured `HTTPX` requests are routed and mocked.
``` python
@respx.mock(assert_all_mocked=True)
def test_something(respx_mock):
response = httpx.get("https://example.org/") # Not mocked, will raise
```
If *disabled*, all non-routed requests will be auto-mocked with status code `200`.
``` python
@respx.mock(assert_all_mocked=False)
def test_something(respx_mock):
response = httpx.get("https://example.org/") # Will auto-mock
assert response.status_code == 200
```
#### Assert all Called
By default, asserts that all added and mocked routes were called when exiting *decorated* test case, *context manager* scope or exiting a text case using the pytest fixture.
``` python
@respx.mock(assert_all_called=True)
def test_something(respx_mock):
respx_mock.get("https://example.org/")
respx_mock.get("https://some.url/") # Not called, will fail the test
response = httpx.get("https://example.org/")
```
``` python
@respx.mock(assert_all_called=False)
def test_something(respx_mock):
respx_mock.get("https://example.org/")
respx_mock.get("https://some.url/") # Not called, yet not asserted
response = httpx.get("https://example.org/")
assert response.status_code == 200
```
---
## Routing Requests
The easiest way to add routes is to use the [HTTP Method](#http-method-helpers) helpers.
For full control over the request pattern matching, use the [route](#route-api) API.
Routes are matched and routed in *added order*. This means that routes with more specific patterns should to be added earlier than the ones with less "details".
### HTTP Method Helpers
Each HTTP method has a helper function (`get`, `options`, `head`, `post`, `put`, `patch`, `delete`), *shortcutting* the [route](#route-api) API.
``` python
my_route = respx.get("https://example.org/", params={"foo": "bar"})
response = httpx.get("https://example.org/", params={"foo": "bar"})
assert my_route.called
assert response.status_code == 200
```
> See [.get(), .post(), ...](api.md#get-post) helpers reference for more details.
### Route API
#### Patterns
With the `route` API, you define a combined pattern to match, capturing a sent request.
``` python
my_route = respx.route(method="GET", host="example.org", path="/foobar/")
response = httpx.get("https://example.org/foobar/")
assert my_route.called
assert response.status_code == 200
```
> See [.route()](api.md#route) reference for more details.
#### Lookups
Each [pattern](api.md#patterns) has a *default* lookup. To specify what [lookup](api.md#lookups) to use, add a `__<lookup>` suffix.
``` python
respx.route(method__in=["PUT", "PATCH"])
```
#### Combining Patterns
For even more flexibility, you can define combined patterns using the [M()](api.md#m) *object*, together with bitwise [operators](api.md#operators) (`&`, `|,` `~`), creating a reusable pattern.
``` python
hosts_pattern = M(host="example.org") | M(host="example.com")
my_route = respx.route(hosts_pattern, method="GET", path="/foo/")
response = httpx.get("http://example.org/foo/")
assert response.status_code == 200
assert my_route.called
response = httpx.get("https://example.com/foo/")
assert response.status_code == 200
assert my_route.call_count == 2
```
!!! note "NOTE"
``M(url="//example.org/foobar/")`` is **equal** to ``M(host="example.org") & M(path="/foobar/")``
### Named Routes
Routes can be *named* when added, and later accessed through the `respx.routes` mapping.
This is useful when a route is added *outside* the test case, *e.g.* access or assert route calls.
``` python
import httpx
import respx
# Added somewhere else
respx.get("https://example.org/", name="home")
@respx.mock
def test_route_call():
httpx.get("https://example.org/")
assert respx.routes["home"].called
assert respx.routes["home"].call_count == 1
last_home_response = respx.routes["home"].calls.last.response
assert last_home_response.status_code == 200
```
### Reusable Routers
As described under [settings](#router-settings), an isolated router is created when calling `respx.mock(...)`.
Isolated routers are useful when mocking multiple remote APIs, allowing grouped routes per API, and to be mocked individually or stacked for reuse across tests.
Use the router instance as decorator or context manager to patch `HTTPX` and activate the routes.
``` python
import httpx
import respx
api_mock = respx.mock(base_url="https://api.foo.bar/", assert_all_called=False)
api_mock.get("/baz/", name="baz").mock(
return_value=httpx.Response(200, json={"name": "baz"}),
)
...
@api_mock
def test_decorator():
response = httpx.get("https://api.foo.bar/baz/")
assert response.status_code == 200
assert response.json() == {"name": "baz"}
assert api_mock["baz"].called
def test_ctx_manager():
with api_mock:
...
```
!!! tip "Catch-all"
Add a *catch-all* route last as a fallback for any non-matching request, e.g. `api_mock.route().respond(404)`.
!!! note "NOTE"
Named routes in a *reusable router* can be directly accessed via `my_mock_router[<route name>]`
### Route with an App
As an alternative one can route and mock responses with an `app` by passing either a `respx.WSGIHandler` or `respx.ASGIHandler` as side effect when mocking.
**Sync App Example**
``` python
import httpx
import respx
from flask import Flask
app = Flask("foobar")
@app.route("/baz/")
def baz():
return {"ham": "spam"}
@respx.mock(base_url="https://foo.bar/")
def test_baz(respx_mock):
app_route = respx_mock.route().mock(side_effect=WSGIHandler(app))
response = httpx.get("https://foo.bar/baz/")
assert response.json() == {"ham": "spam"}
assert app_route.called
```
**Async App Example**
``` python
import httpx
import respx
from starlette.applications import Starlette
from starlette.responses import JSONResponse
from starlette.routing import Route
async def baz(request):
return JSONResponse({"ham": "spam"})
app = Starlette(routes=[Route("/baz/", baz)])
@respx.mock(base_url="https://foo.bar/")
async def test_baz(respx_mock):
app_route = respx_mock.route().mock(side_effect=ASGIHandler(app))
response = await httpx.AsyncClient().get("https://foo.bar/baz/")
assert response.json() == {"ham": "spam"}
assert app_route.called
```
---
## Mocking Responses
To mock a [route](#routing-requests) response, use `<route>.mock(...)` to either...
* set the `httpx.Response` to be [returned](#mock-a-response).
* set a [side effect](#mock-with-a-side-effect) to be triggered.
The route's mock interface is inspired by pythons built-in `Mock()` object,
e.g. ``side_effect`` has precedence over ``return_value``, side effects can either be functions, exceptions or an iterable, raising ``StopIteration`` when "exhausted" etc.
### Mock a Response
Create a mocked `HTTPX` [Response](api.md#response) object and pass it as `return_value`.
``` python
respx.get("https://example.org/").mock(return_value=Response(204))
```
> See [.mock()](api.md#mock) reference for more details.
You can also use the `<route>.return_value` *setter*.
``` python
route = respx.get("https://example.org/")
route.return_value = Response(200, json={"foo": "bar"})
```
### Mock with a Side Effect
RESPX *side effects* works just like the python `Mock` side effects.
It can either be a [function](#functions) to call,
an [exception](#exceptions) to raise, or an [iterable](#iterable) of responses/exceptions to respond with in order, for repeated requests.
``` python
respx.get("https://example.org/").mock(side_effect=...)
```
You can also use the `<route>.side_effect` *setter*.
``` python
route = respx.get("https://example.org/")
route.side_effect = ...
```
#### Functions
Function *side effects* will be called with the *captured* ``request`` argument, and should either...
* return a mocked [Response](api.md#response).
* raise an `Exception` to simulate a request error.
* return `None` to treat the route as a *non-match*, continuing testing further routes.
* return the input `Request` to [pass through](#pass-through).
``` python
import httpx
import respx
def my_side_effect(request):
return httpx.Response(201)
@respx.mock
def test_side_effect():
respx.post("https://example.org/").mock(side_effect=my_side_effect)
response = httpx.post("https://example.org/")
assert response.status_code == 201
```
Optionally, a side effect can include a `route` argument for cases where call stats,
or modifying the route within the side effect, is needed.
``` python
import httpx
import respx
def my_side_effect(request, route):
return httpx.Response(201, json={"id": route.call_count + 1})
@respx.mock
def test_side_effect():
respx.post("https://example.org/").mock(side_effect=my_side_effect)
response = httpx.post("https://example.org/")
assert response.json() == {"id": 1}
response = httpx.post("https://example.org/")
assert response.json() == {"id": 2}
```
If any of the route patterns are using a [regex lookup](api.md#regex), containing *named groups*, the regex groups will be passed as *kwargs* to the *side effect*.
``` python
import httpx
import respx
def my_side_effect(request, slug):
return httpx.Response(200, json={"slug": slug})
@respx.mock
def test_side_effect_kwargs():
route = respx.route(url__regex=r"https://example.org/(?P<slug>\w+)/")
route.side_effect = my_side_effect
response = httpx.get("https://example.org/foobar/")
assert response.status_code == 200
assert response.json() == {"slug": "foobar"}
```
A route can even *decorate* the function to be used as *side effect*.
``` python
import httpx
import rexpx
@respx.route(url__regex=r"https://example.org/(?P<user>\w+)/", name="user")
def user_api(request, user):
return httpx.Response(200, json={"user": user})
@respx.mock
def test_user_api():
response = httpx.get("https://example.org/lundberg/")
assert response.status_code == 200
assert response.json() == {"user": "lundberg"}
assert respx.routes["user"].called
```
#### Exceptions
To simulate a request error, pass a [httpx.HTTPError](https://www.python-httpx.org/exceptions/#the-exception-hierarchy) *subclass*, or any `Exception` as *side effect*.
``` python
import httpx
import respx
@respx.mock
def test_connection_error():
respx.get("https://example.org/").mock(side_effect=httpx.ConnectError)
with pytest.raises(httpx.ConnectError):
httpx.get("https://example.org/")
```
#### Iterable
If the side effect is an *iterable*, each repeated request will get the *next* [Response](api.md#response) returned, or [exception](#exceptions) raised, from the iterable.
``` python
import httpx
import respx
@respx.mock
def test_stacked_responses():
route = respx.get("https://example.org/")
route.side_effect = [
httpx.Response(404),
httpx.Response(200),
]
response1 = httpx.get("https://example.org/")
response2 = httpx.get("https://example.org/")
assert response1.status_code == 404
assert response2.status_code == 200
assert route.call_count == 2
```
Once the iterable is *exhausted*, the route will fallback and respond with the `return_value`, if set.
``` python
import httpx
import respx
@respx.mock
def test_stacked_responses():
respx.post("https://example.org/").mock(
side_effect=[httpx.Response(201)],
return_value=httpx.Response(200)
)
response1 = httpx.post("https://example.org/")
response2 = httpx.post("https://example.org/")
response3 = httpx.post("https://example.org/")
assert response1.status_code == 201
assert response2.status_code == 200
assert response3.status_code == 200
```
### Shortcuts
#### Respond
For convenience, `<route>.respond(...)` can be used as a shortcut to `return_value`.
``` python
respx.post("https://example.org/").respond(201)
```
> See [.respond()](api.md#respond) reference for more details.
#### Modulo
For simple mocking, a quick way is to use the python modulo (`%`) operator to mock the response.
The *right-hand* modulo argument can either be ...
An `int` representing the `status_code` to mock:
``` python
respx.get("https://example.org/") % 204
response = httpx.get("https://example.org/")
assert response.status_code == 204
```
A `dict` used as *kwargs* to create a mocked `HTTPX` [Response](api.md#response), with status code `200` by default:
``` python
respx.get("https://example.org/") % dict(json={"foo": "bar"})
response = httpx.get("https://example.org/")
assert response.status_code == 200
assert response.json() == {"foo": "bar"}
```
A `HTTPX` [Response](api.md#response) object:
``` python
respx.get("https://example.org/") % Response(418)
response = httpx.get("https://example.org/")
assert response.status_code == httpx.codes.IM_A_TEAPOT
```
## Rollback
When exiting a [decorated](#using-the-decorator) test case, or [context manager](#using-the-context-manager), the routes and their mocked values, *i.e.* `return_value` and `side_effect`, will be *rolled back* and restored to their initial state.
This means that you can safely modify existing routes, or add new ones, *within* a test case, without affecting other tests that are using the same router.
``` python
import httpx
import respx
# Initial routes
mock_router = respx.mock(base_url="https://example.org")
mock_router.get(path__regex="/user/(?P<pk>\d+)/", name="user") % 404
...
@mock_router
def test_user_exists():
# This change will be rolled back after this test case
mock_router["user"].return_value = httpx.Response(200)
response = httpx.get("https://example.org/user/123/")
assert response.status_code == 200
@mock_router
def test_user_not_found():
response = httpx.get("https://example.org/user/123/")
assert response.status_code == 404
```
---
## Pass Through
If you want a route to *not* capture and mock a request response, use `.pass_through()`.
``` python
import httpx
import respx
@respx.mock
def test_remote_response():
respx.route(host="localhost").pass_through()
response = httpx.get("http://localhost:8000/") # response from server
```
> See [.pass_through()](api.md#pass_through) reference for more details.
---
## Mock without patching HTTPX
If you don't *need* to patch `HTTPX`, use `httpx.MockTransport` with a REPX router as handler, when instantiating your client.
``` python
import httpx
import respx
router = respx.Router()
router.post("https://example.org/") % 404
def test_client():
mock_transport = httpx.MockTransport(router.handler)
with httpx.Client(transport=mock_transport) as client:
response = client.post("https://example.org/")
assert response.status_code == 404
def test_client():
mock_transport = httpx.MockTransport(router.async_handler)
with httpx.AsyncClient(transport=mock_transport) as client:
...
```
!!! note "NOTE"
To assert all routes is called, you'll need to trigger
`<router>.assert_all_called()` manually, e.g. in a test case or after yielding the
router in a *pytest* fixture, since there's no auto post assertion done like
when using [respx.mock](#assert-all-called).
!!! Hint
You can use `RESPX` not only to mock out `HTTPX`, but actually mock any library using `HTTP Core` transports.
---
## Call History
The `respx` API includes a `.calls` object, containing captured (`request`, `response`) named tuples and MagicMock's *bells and whistles*, i.e. `call_count`, `assert_called` etc.
### Asserting calls
``` python
assert respx.calls.called
assert respx.calls.call_count == 1
respx.calls.assert_called()
respx.calls.assert_not_called()
respx.calls.assert_called_once()
```
### Retrieving mocked calls
A matched and mocked `Call` can be retrieved from call history, by either unpacking...
``` python
request, response = respx.calls.last
request, response = respx.calls[-2] # by call order
```
...or by accessing `request` or `response` directly...
``` python
last_request = respx.calls.last.request
assert json.loads(last_request.content) == {"foo": "bar"}
last_response = respx.calls.last.response
assert last_response.status_code == 200
```
### Local route calls
Each `Route` object has its own `.calls`, along with `.called` and `.call_count ` shortcuts.
``` python
import httpx
import respx
@respx.mock
def test_route_call_stats():
route = respx.post("https://example.org/baz/") % 201
httpx.post("https://example.org/baz/")
assert route.calls.last.request.url.path == "/baz/"
assert route.calls.last.response.status_code == 201
assert route.called
assert route.call_count == 1
route.calls.assert_called_once()
```
### Reset History
The call history will automatically *reset* when exiting mocked context, i.e. leaving a [decorated](#using-the-decorator) test case, or [context manager](#using-the-context-manager) scope.
To manually *reset* call stats during a test case, use `respx.reset()` or `<your_router>.reset()`.
``` python
import httpx
import respx
@respx.mock
def test_reset():
respx.post("https://foo.bar/baz/")
httpx.post("https://foo.bar/baz/")
assert respx.calls.call_count == 1
respx.calls.assert_called_once()
respx.reset()
assert len(respx.calls) == 0
assert respx.calls.call_count == 0
respx.calls.assert_not_called()
```
|