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 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079 2080 2081 2082 2083 2084 2085 2086 2087 2088 2089 2090 2091 2092 2093 2094 2095 2096 2097 2098 2099 2100 2101 2102 2103 2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115 2116 2117 2118 2119 2120 2121 2122 2123 2124 2125 2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149 2150 2151 2152 2153 2154 2155 2156 2157 2158 2159 2160 2161 2162 2163 2164 2165 2166 2167 2168 2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185 2186 2187 2188 2189
|
.. _aiohttp-web-reference:
Server Reference
================
.. module:: aiohttp.web
.. currentmodule:: aiohttp.web
.. _aiohttp-web-request:
Request and Base Request
------------------------
The Request object contains all the information about an incoming HTTP request.
:class:`BaseRequest` is used for :ref:`Low-Level
Servers<aiohttp-web-lowlevel>` (which have no applications, routers, signals
and middlewares) and :class:`Request` has an *application* and *match
info* attributes.
A :class:`BaseRequest`/:class:`Request` are :obj:`dict`-like objects,
allowing them to be used for :ref:`sharing
data<aiohttp-web-data-sharing>` among :ref:`aiohttp-web-middlewares`
and :ref:`aiohttp-web-signals` handlers.
.. class:: BaseRequest
.. attribute:: version
*HTTP version* of request, Read-only property.
Returns :class:`aiohttp.protocol.HttpVersion` instance.
.. attribute:: method
*HTTP method*, read-only property.
The value is upper-cased :class:`str` like ``"GET"``,
``"POST"``, ``"PUT"`` etc.
.. attribute:: url
A :class:`~yarl.URL` instance with absolute URL to resource
(*scheme*, *host* and *port* are included).
.. note::
In case of malformed request (e.g. without ``"HOST"`` HTTP
header) the absolute url may be unavailable.
.. attribute:: rel_url
A :class:`~yarl.URL` instance with relative URL to resource
(contains *path*, *query* and *fragment* parts only, *scheme*,
*host* and *port* are excluded).
The property is equal to ``.url.relative()`` but is always present.
.. seealso::
A note from :attr:`url`.
.. attribute:: scheme
A string representing the scheme of the request.
The scheme is ``'https'`` if transport for request handling is
*SSL* or ``secure_proxy_ssl_header`` is matching.
``'http'`` otherwise.
Read-only :class:`str` property.
.. seealso:: :meth:`Application.make_handler`
.. deprecated:: 1.1
Use :attr:`url` (``request.url.scheme``) instead.
.. attribute:: host
*HOST* header of request, Read-only property.
Returns :class:`str` or ``None`` if HTTP request has no *HOST* header.
.. deprecated:: 1.1
Use :attr:`url` (``request.url.host``) instead.
.. attribute:: path_qs
The URL including PATH_INFO and the query string. e.g.,
``/app/blog?id=10``
Read-only :class:`str` property.
.. deprecated:: 1.1
Use :attr:`url` (``str(request.rel_url)``) instead.
.. attribute:: path
The URL including *PATH INFO* without the host or scheme. e.g.,
``/app/blog``. The path is URL-unquoted. For raw path info see
:attr:`raw_path`.
Read-only :class:`str` property.
.. deprecated:: 1.1
Use :attr:`url` (``request.rel_url.path``) instead.
.. attribute:: raw_path
The URL including raw *PATH INFO* without the host or scheme.
Warning, the path may be quoted and may contains non valid URL
characters, e.g.
``/my%2Fpath%7Cwith%21some%25strange%24characters``.
For unquoted version please take a look on :attr:`path`.
Read-only :class:`str` property.
.. deprecated:: 1.1
Use :attr:`url` (``request.rel_url.raw_path``) instead.
.. attribute:: query_string
The query string in the URL, e.g., ``id=10``
Read-only :class:`str` property.
.. deprecated:: 1.1
Use :attr:`url` (``request.rel_url.query_string``) instead.
.. attribute:: GET
A multidict with all the variables in the query string.
Read-only :class:`~multidict.MultiDictProxy` lazy property.
.. versionchanged:: 0.17
A multidict contains empty items for query string like ``?arg=``.
.. deprecated:: 1.1
Use :attr:`url` (``request.rel_url.query``) instead.
.. attribute:: POST
A multidict with all the variables in the POST parameters.
POST property available only after :meth:`Request.post` coroutine call.
Read-only :class:`~multidict.MultiDictProxy`.
:raises RuntimeError: if :meth:`Request.post` was not called \
before accessing the property.
.. deprecated:: 1.1
Since POST date preloaded is not implemented yet and probably
will never be done the :meth:`post` call is required and
recommended way for accessing to POST data. :meth:`multipart`
is useful for working with multipart encoded content.
.. attribute:: headers
A case-insensitive multidict proxy with all headers.
Read-only :class:`~multidict.CIMultiDictProxy` property.
.. attribute:: raw_headers
HTTP headers of response as unconverted bytes, a sequence of
``(key, value)`` pairs.
.. attribute:: keep_alive
``True`` if keep-alive connection enabled by HTTP client and
protocol version supports it, otherwise ``False``.
Read-only :class:`bool` property.
.. attribute:: transport
An :ref:`transport<asyncio-transport>` used to process request,
Read-only property.
The property can be used, for example, for getting IP address of
client's peer::
peername = request.transport.get_extra_info('peername')
if peername is not None:
host, port = peername
.. attribute:: cookies
A multidict of all request's cookies.
Read-only :class:`~multidict.MultiDictProxy` lazy property.
.. attribute:: content
A :class:`~aiohttp.StreamReader` instance,
input stream for reading request's *BODY*.
Read-only property.
.. attribute:: has_body
Return ``True`` if request has *HTTP BODY*, ``False`` otherwise.
Read-only :class:`bool` property.
.. versionadded:: 0.16
.. attribute:: content_type
Read-only property with *content* part of *Content-Type* header.
Returns :class:`str` like ``'text/html'``
.. note::
Returns value is ``'application/octet-stream'`` if no
Content-Type header present in HTTP headers according to
:rfc:`2616`
.. attribute:: charset
Read-only property that specifies the *encoding* for the request's BODY.
The value is parsed from the *Content-Type* HTTP header.
Returns :class:`str` like ``'utf-8'`` or ``None`` if
*Content-Type* has no charset information.
.. attribute:: content_length
Read-only property that returns length of the request's BODY.
The value is parsed from the *Content-Length* HTTP header.
Returns :class:`int` or ``None`` if *Content-Length* is absent.
.. attribute:: http_range
Read-only property that returns information about *Range* HTTP header.
Returns a :class:`slice` where ``.start`` is *left inclusive
bound*, ``.stop`` is *right exclusive bound* and ``.step`` is
``1``.
The property might be used in two manners:
1. Attribute-access style (example assumes that both left and
right borders are set, the real logic for case of open bounds
is more complex)::
rng = request.http_rangea
with open(filename, 'rb') as f:
f.seek(rng.start)
return f.read(rng.stop-rng.start)
2. Slice-style::
return buffer[request.http_range]
.. versionadded:: 1.2
.. attribute:: if_modified_since
Read-only property that returns the date specified in the
*If-Modified-Since* header.
Returns :class:`datetime.datetime` or ``None`` if
*If-Modified-Since* header is absent or is not a valid
HTTP date.
.. method:: clone(*, method=..., rel_url=..., headers=...)
Clone itself with replacement some attributes.
Creates and returns a new instance of Request object. If no parameters
are given, an exact copy is returned. If a parameter is not passed, it
will reuse the one from the current request object.
:param str method: http method
:param rel_url: url to use, :class:`str` or :class:`~yarl.URL`
:param headers: :class:`~multidict.CIMultidict` or compatible
headers container.
:return: a cloned :class:`Request` instance.
.. coroutinemethod:: read()
Read request body, returns :class:`bytes` object with body content.
.. note::
The method **does** store read data internally, subsequent
:meth:`~Request.read` call will return the same value.
.. coroutinemethod:: text()
Read request body, decode it using :attr:`charset` encoding or
``UTF-8`` if no encoding was specified in *MIME-type*.
Returns :class:`str` with body content.
.. note::
The method **does** store read data internally, subsequent
:meth:`~Request.text` call will return the same value.
.. coroutinemethod:: json(*, loads=json.loads)
Read request body decoded as *json*.
The method is just a boilerplate :ref:`coroutine <coroutine>`
implemented as::
async def json(self, *, loads=json.loads):
body = await self.text()
return loads(body)
:param callable loads: any :term:`callable` that accepts
:class:`str` and returns :class:`dict`
with parsed JSON (:func:`json.loads` by
default).
.. note::
The method **does** store read data internally, subsequent
:meth:`~Request.json` call will return the same value.
.. coroutinemethod:: multipart(*, reader=aiohttp.multipart.MultipartReader)
Returns :class:`aiohttp.multipart.MultipartReader` which processes
incoming *multipart* request.
The method is just a boilerplate :ref:`coroutine <coroutine>`
implemented as::
async def multipart(self, *, reader=aiohttp.multipart.MultipartReader):
return reader(self.headers, self._payload)
This method is a coroutine for consistency with the else reader methods.
.. warning::
The method **does not** store read data internally. That means once
you exhausts multipart reader, you cannot get the request payload one
more time.
.. seealso:: :ref:`aiohttp-multipart`
.. coroutinemethod:: post()
A :ref:`coroutine <coroutine>` that reads POST parameters from
request body.
Returns :class:`~multidict.MultiDictProxy` instance filled
with parsed data.
If :attr:`method` is not *POST*, *PUT*, *PATCH*, *TRACE* or *DELETE* or
:attr:`content_type` is not empty or
*application/x-www-form-urlencoded* or *multipart/form-data*
returns empty multidict.
.. note::
The method **does** store read data internally, subsequent
:meth:`~Request.post` call will return the same value.
.. coroutinemethod:: release()
Release request.
Eat unread part of HTTP BODY if present.
.. note::
User code may never call :meth:`~Request.release`, all
required work will be processed by :mod:`aiohttp.web`
internal machinery.
.. class:: Request
An request used for receiving request's information by *web handler*.
Every :ref:`handler<aiohttp-web-handler>` accepts a request
instance as the first positional parameter.
The class in derived from :class:`BaseRequest`, shares all parent's
attributes and methods but has a couple of additional properties:
.. attribute:: match_info
Read-only property with :class:`~aiohttp.abc.AbstractMatchInfo`
instance for result of route resolving.
.. note::
Exact type of property depends on used router. If
``app.router`` is :class:`UrlDispatcher` the property contains
:class:`UrlMappingMatchInfo` instance.
.. attribute:: app
An :class:`Application` instance used to call :ref:`request handler
<aiohttp-web-handler>`, Read-only property.
.. note::
You should never create the :class:`Request` instance manually
-- :mod:`aiohttp.web` does it for you. But
:meth:`~BaseRequest.clone` may be used for cloning *modified*
request copy with changed *path*, *method* etc.
.. _aiohttp-web-response:
Response classes
----------------
For now, :mod:`aiohttp.web` has two classes for the *HTTP response*:
:class:`StreamResponse` and :class:`Response`.
Usually you need to use the second one. :class:`StreamResponse` is
intended for streaming data, while :class:`Response` contains *HTTP
BODY* as an attribute and sends own content as single piece with the
correct *Content-Length HTTP header*.
For sake of design decisions :class:`Response` is derived from
:class:`StreamResponse` parent class.
The response supports *keep-alive* handling out-of-the-box if
*request* supports it.
You can disable *keep-alive* by :meth:`~StreamResponse.force_close` though.
The common case for sending an answer from
:ref:`web-handler<aiohttp-web-handler>` is returning a
:class:`Response` instance::
def handler(request):
return Response("All right!")
StreamResponse
^^^^^^^^^^^^^^
.. class:: StreamResponse(*, status=200, reason=None)
The base class for the *HTTP response* handling.
Contains methods for setting *HTTP response headers*, *cookies*,
*response status code*, writing *HTTP response BODY* and so on.
The most important thing you should know about *response* --- it
is *Finite State Machine*.
That means you can do any manipulations with *headers*, *cookies*
and *status code* only before :meth:`prepare` coroutine is called.
Once you call :meth:`prepare` any change of
the *HTTP header* part will raise :exc:`RuntimeError` exception.
Any :meth:`write` call after :meth:`write_eof` is also forbidden.
:param int status: HTTP status code, ``200`` by default.
:param str reason: HTTP reason. If param is ``None`` reason will be
calculated basing on *status*
parameter. Otherwise pass :class:`str` with
arbitrary *status* explanation..
.. attribute:: prepared
Read-only :class:`bool` property, ``True`` if :meth:`prepare` has
been called, ``False`` otherwise.
.. versionadded:: 0.18
.. attribute:: started
Deprecated alias for :attr:`prepared`.
.. deprecated:: 0.18
.. attribute:: task
A task that serves HTTP request handling.
May be useful for graceful shutdown of long-running requests
(streaming, long polling or web-socket).
.. versionadded:: 1.2
.. attribute:: status
Read-only property for *HTTP response status code*, :class:`int`.
``200`` (OK) by default.
.. attribute:: reason
Read-only property for *HTTP response reason*, :class:`str`.
.. method:: set_status(status, reason=None)
Set :attr:`status` and :attr:`reason`.
*reason* value is auto calculated if not specified (``None``).
.. attribute:: keep_alive
Read-only property, copy of :attr:`Request.keep_alive` by default.
Can be switched to ``False`` by :meth:`force_close` call.
.. method:: force_close
Disable :attr:`keep_alive` for connection. There are no ways to
enable it back.
.. attribute:: compression
Read-only :class:`bool` property, ``True`` if compression is enabled.
``False`` by default.
.. seealso:: :meth:`enable_compression`
.. method:: enable_compression(force=None)
Enable compression.
When *force* is unset compression encoding is selected based on
the request's *Accept-Encoding* header.
*Accept-Encoding* is not checked if *force* is set to a
:class:`ContentCoding`.
.. seealso:: :attr:`compression`
.. attribute:: chunked
Read-only property, indicates if chunked encoding is on.
Can be enabled by :meth:`enable_chunked_encoding` call.
.. seealso:: :attr:`enable_chunked_encoding`
.. method:: enable_chunked_encoding
Enables :attr:`chunked` encoding for response. There are no ways to
disable it back. With enabled :attr:`chunked` encoding each `write()`
operation encoded in separate chunk.
.. warning:: chunked encoding can be enabled for ``HTTP/1.1`` only.
Setting up both :attr:`content_length` and chunked
encoding is mutually exclusive.
.. seealso:: :attr:`chunked`
.. attribute:: headers
:class:`~aiohttp.CIMultiiDct` instance
for *outgoing* *HTTP headers*.
.. attribute:: cookies
An instance of :class:`http.cookies.SimpleCookie` for *outgoing* cookies.
.. warning::
Direct setting up *Set-Cookie* header may be overwritten by
explicit calls to cookie manipulation.
We are encourage using of :attr:`cookies` and
:meth:`set_cookie`, :meth:`del_cookie` for cookie
manipulations.
.. method:: set_cookie(name, value, *, path='/', expires=None, \
domain=None, max_age=None, \
secure=None, httponly=None, version=None)
Convenient way for setting :attr:`cookies`, allows to specify
some additional properties like *max_age* in a single call.
:param str name: cookie name
:param str value: cookie value (will be converted to
:class:`str` if value has another type).
:param expires: expiration date (optional)
:param str domain: cookie domain (optional)
:param int max_age: defines the lifetime of the cookie, in
seconds. The delta-seconds value is a
decimal non- negative integer. After
delta-seconds seconds elapse, the client
should discard the cookie. A value of zero
means the cookie should be discarded
immediately. (optional)
:param str path: specifies the subset of URLs to
which this cookie applies. (optional, ``'/'`` by default)
:param bool secure: attribute (with no value) directs
the user agent to use only (unspecified)
secure means to contact the origin server
whenever it sends back this cookie.
The user agent (possibly under the user's
control) may determine what level of
security it considers appropriate for
"secure" cookies. The *secure* should be
considered security advice from the server
to the user agent, indicating that it is in
the session's interest to protect the cookie
contents. (optional)
:param bool httponly: ``True`` if the cookie HTTP only (optional)
:param int version: a decimal integer, identifies to which
version of the state management
specification the cookie
conforms. (Optional, *version=1* by default)
.. warning::
In HTTP version 1.1, ``expires`` was deprecated and replaced with
the easier-to-use ``max-age``, but Internet Explorer (IE6, IE7,
and IE8) **does not** support ``max-age``.
.. method:: del_cookie(name, *, path='/', domain=None)
Deletes cookie.
:param str name: cookie name
:param str domain: optional cookie domain
:param str path: optional cookie path, ``'/'`` by default
.. versionchanged:: 1.0
Fixed cookie expiration support for
Internet Explorer (version less than 11).
.. attribute:: content_length
*Content-Length* for outgoing response.
.. attribute:: content_type
*Content* part of *Content-Type* for outgoing response.
.. attribute:: charset
*Charset* aka *encoding* part of *Content-Type* for outgoing response.
The value converted to lower-case on attribute assigning.
.. attribute:: last_modified
*Last-Modified* header for outgoing response.
This property accepts raw :class:`str` values,
:class:`datetime.datetime` objects, Unix timestamps specified
as an :class:`int` or a :class:`float` object, and the
value ``None`` to unset the header.
.. attribute:: tcp_cork
:const:`~socket.TCP_CORK` (linux) or :const:`~socket.TCP_NOPUSH`
(FreeBSD and MacOSX) is applied to underlying transport if the
property is ``True``.
Use :meth:`set_tcp_cork` to assign new value to the property.
Default value is ``False``.
.. method:: set_tcp_cork(value)
Set :attr:`tcp_cork` property to *value*.
Clear :attr:`tcp_nodelay` if *value* is ``True``.
.. attribute:: tcp_nodelay
:const:`~socket.TCP_NODELAY` is applied to underlying transport
if the property is ``True``.
Use :meth:`set_tcp_nodelay` to assign new value to the property.
Default value is ``True``.
.. method:: set_tcp_nodelay(value)
Set :attr:`tcp_nodelay` property to *value*.
Clear :attr:`tcp_cork` if *value* is ``True``.
.. method:: start(request)
:param aiohttp.web.Request request: HTTP request object, that the
response answers.
Send *HTTP header*. You should not change any header data after
calling this method.
.. deprecated:: 0.18
Use :meth:`prepare` instead.
.. warning:: The method doesn't call
:attr:`~aiohttp.web.Application.on_response_prepare` signal, use
:meth:`prepare` instead.
.. coroutinemethod:: prepare(request)
:param aiohttp.web.Request request: HTTP request object, that the
response answers.
Send *HTTP header*. You should not change any header data after
calling this method.
The coroutine calls :attr:`~aiohttp.web.Application.on_response_prepare`
signal handlers.
.. versionadded:: 0.18
.. method:: write(data)
Send byte-ish data as the part of *response BODY*.
:meth:`prepare` must be called before.
Raises :exc:`TypeError` if data is not :class:`bytes`,
:class:`bytearray` or :class:`memoryview` instance.
Raises :exc:`RuntimeError` if :meth:`prepare` has not been called.
Raises :exc:`RuntimeError` if :meth:`write_eof` has been called.
.. coroutinemethod:: drain()
A :ref:`coroutine<coroutine>` to let the write buffer of the
underlying transport a chance to be flushed.
The intended use is to write::
resp.write(data)
await resp.drain()
Yielding from :meth:`drain` gives the opportunity for the loop
to schedule the write operation and flush the buffer. It should
especially be used when a possibly large amount of data is
written to the transport, and the coroutine does not yield-from
between calls to :meth:`write`.
.. coroutinemethod:: write_eof()
A :ref:`coroutine<coroutine>` *may* be called as a mark of the
*HTTP response* processing finish.
*Internal machinery* will call this method at the end of
the request processing if needed.
After :meth:`write_eof` call any manipulations with the *response*
object are forbidden.
Response
^^^^^^^^
.. class:: Response(*, status=200, headers=None, content_type=None, \
charset=None, \
body=None, text=None)
The most usable response class, inherited from :class:`StreamResponse`.
Accepts *body* argument for setting the *HTTP response BODY*.
The actual :attr:`body` sending happens in overridden
:meth:`~StreamResponse.write_eof`.
:param bytes body: response's BODY
:param int status: HTTP status code, 200 OK by default.
:param collections.abc.Mapping headers: HTTP headers that should be added to
response's ones.
:param str text: response's BODY
:param str content_type: response's content type. ``'text/plain'``
if *text* is passed also,
``'application/octet-stream'`` otherwise.
:param str charset: response's charset. ``'utf-8'`` if *text* is
passed also, ``None`` otherwise.
.. attribute:: body
Read-write attribute for storing response's content aka BODY,
:class:`bytes`.
Setting :attr:`body` also recalculates
:attr:`~StreamResponse.content_length` value.
Resetting :attr:`body` (assigning ``None``) sets
:attr:`~StreamResponse.content_length` to ``None`` too, dropping
*Content-Length* HTTP header.
.. attribute:: text
Read-write attribute for storing response's content, represented as
string, :class:`str`.
Setting :attr:`text` also recalculates
:attr:`~StreamResponse.content_length` value and
:attr:`~StreamResponse.body` value
Resetting :attr:`text` (assigning ``None``) sets
:attr:`~StreamResponse.content_length` to ``None`` too, dropping
*Content-Length* HTTP header.
WebSocketResponse
^^^^^^^^^^^^^^^^^
.. class:: WebSocketResponse(*, timeout=10.0, autoclose=True, \
autoping=True, protocols=())
Class for handling server-side websockets, inherited from
:class:`StreamResponse`.
After starting (by :meth:`prepare` call) the response you
cannot use :meth:`~StreamResponse.write` method but should to
communicate with websocket client by :meth:`send_str`,
:meth:`receive` and others.
:param bool autoping: Automatically send
:const:`~aiohttp.WSMsgType.PONG` on
:const:`~aiohttp.WSMsgType.PING`
message from client, and handle
:const:`~aiohttp.WSMsgType.PONG`
responses from client.
Note that server doesn't send
:const:`~aiohttp.WSMsgType.PING`
requests, you need to do this explicitly
using :meth:`ping` method.
.. versionadded:: 0.19
The class supports ``async for`` statement for iterating over
incoming messages::
ws = web.WebSocketResponse()
await ws.prepare(request)
async for msg in ws:
print(msg.data)
.. coroutinemethod:: prepare(request)
Starts websocket. After the call you can use websocket methods.
:param aiohttp.web.Request request: HTTP request object, that the
response answers.
:raises HTTPException: if websocket handshake has failed.
.. versionadded:: 0.18
.. method:: start(request)
Starts websocket. After the call you can use websocket methods.
:param aiohttp.web.Request request: HTTP request object, that the
response answers.
:raises HTTPException: if websocket handshake has failed.
.. deprecated:: 0.18
Use :meth:`prepare` instead.
.. method:: can_prepare(request)
Performs checks for *request* data to figure out if websocket
can be started on the request.
If :meth:`can_prepare` call is success then :meth:`prepare` will
success too.
:param aiohttp.web.Request request: HTTP request object, that the
response answers.
:return: :class:`WebSocketReady` instance.
:attr:`WebSocketReady.ok` is
``True`` on success, :attr:`WebSocketReady.protocol` is
websocket subprotocol which is passed by client and
accepted by server (one of *protocols* sequence from
:class:`WebSocketResponse` ctor).
:attr:`WebSocketReady.protocol` may be ``None`` if
client and server subprotocols are not overlapping.
.. note:: The method never raises exception.
.. method:: can_start(request)
Deprecated alias for :meth:`can_prepare`
.. deprecated:: 0.18
.. attribute:: closed
Read-only property, ``True`` if connection has been closed or in process
of closing.
:const:`~aiohttp.WSMsgType.CLOSE` message has been received from peer.
.. attribute:: close_code
Read-only property, close code from peer. It is set to ``None`` on
opened connection.
.. attribute:: protocol
Websocket *subprotocol* chosen after :meth:`start` call.
May be ``None`` if server and client protocols are
not overlapping.
.. method:: exception()
Returns last occurred exception or None.
.. method:: ping(message=b'')
Send :const:`~aiohttp.WSMsgType.PING` to peer.
:param message: optional payload of *ping* message,
:class:`str` (converted to *UTF-8* encoded bytes)
or :class:`bytes`.
:raise RuntimeError: if connections is not started or closing.
.. method:: pong(message=b'')
Send *unsolicited* :const:`~aiohttp.WSMsgType.PONG` to peer.
:param message: optional payload of *pong* message,
:class:`str` (converted to *UTF-8* encoded bytes)
or :class:`bytes`.
:raise RuntimeError: if connections is not started or closing.
.. method:: send_str(data)
Send *data* to peer as :const:`~aiohttp.WSMsgType.TEXT` message.
:param str data: data to send.
:raise RuntimeError: if connection is not started or closing
:raise TypeError: if data is not :class:`str`
.. method:: send_bytes(data)
Send *data* to peer as :const:`~aiohttp.WSMsgType.BINARY` message.
:param data: data to send.
:raise RuntimeError: if connection is not started or closing
:raise TypeError: if data is not :class:`bytes`,
:class:`bytearray` or :class:`memoryview`.
.. method:: send_json(data, *, dumps=json.loads)
Send *data* to peer as JSON string.
:param data: data to send.
:param callable dumps: any :term:`callable` that accepts an object and
returns a JSON string
(:func:`json.dumps` by default).
:raise RuntimeError: if connection is not started or closing
:raise ValueError: if data is not serializable object
:raise TypeError: if value returned by ``dumps`` param is not :class:`str`
.. coroutinemethod:: close(*, code=1000, message=b'')
A :ref:`coroutine<coroutine>` that initiates closing
handshake by sending :const:`~aiohttp.WSMsgType.CLOSE` message.
.. note::
Can only be called by the request handling task. To
programmatically close websocket server side see the
:ref:`FAQ section <aiohttp_faq_terminating_websockets>`.
:param int code: closing code
:param message: optional payload of *pong* message,
:class:`str` (converted to *UTF-8* encoded bytes)
or :class:`bytes`.
:raise RuntimeError: if connection is not started or closing
.. coroutinemethod:: receive()
A :ref:`coroutine<coroutine>` that waits upcoming *data*
message from peer and returns it.
The coroutine implicitly handles
:const:`~aiohttp.WSMsgType.PING`,
:const:`~aiohttp.WSMsgType.PONG` and
:const:`~aiohttp.WSMsgType.CLOSE` without returning the
message.
It process *ping-pong game* and performs *closing handshake* internally.
.. note::
Can only be called by the request handling task.
:return: :class:`~aiohttp.WSMessage`
:raise RuntimeError: if connection is not started
:raise: :exc:`~aiohttp.errors.WSClientDisconnectedError` on closing.
.. coroutinemethod:: receive_str()
A :ref:`coroutine<coroutine>` that calls :meth:`receive` but
also asserts the message type is
:const:`~aiohttp.WSMsgType.TEXT`.
.. note::
Can only be called by the request handling task.
:return str: peer's message content.
:raise TypeError: if message is :const:`~aiohttp.WSMsgType.BINARY`.
.. coroutinemethod:: receive_bytes()
A :ref:`coroutine<coroutine>` that calls :meth:`receive` but
also asserts the message type is
:const:`~aiohttp.WSMsgType.BINARY`.
.. note::
Can only be called by the request handling task.
:return bytes: peer's message content.
:raise TypeError: if message is :const:`~aiohttp.WSMsgType.TEXT`.
.. coroutinemethod:: receive_json(*, loads=json.loads)
A :ref:`coroutine<coroutine>` that calls :meth:`receive_str` and loads the
JSON string to a Python dict.
.. note::
Can only be called by the request handling task.
:param callable loads: any :term:`callable` that accepts
:class:`str` and returns :class:`dict`
with parsed JSON (:func:`json.loads` by
default).
:return dict: loaded JSON content
:raise TypeError: if message is :const:`~aiohttp.WSMsgType.BINARY`.
:raise ValueError: if message is not valid JSON.
.. versionadded:: 0.22
.. seealso:: :ref:`WebSockets handling<aiohttp-web-websockets>`
WebSocketReady
^^^^^^^^^^^^^^
.. class:: WebSocketReady
A named tuple for returning result from
:meth:`WebSocketResponse.can_prepare`.
Has :class:`bool` check implemented, e.g.::
if not await ws.can_prepare(...):
cannot_start_websocket()
.. attribute:: ok
``True`` if websocket connection can be established, ``False``
otherwise.
.. attribute:: protocol
:class:`str` represented selected websocket sub-protocol.
.. seealso:: :meth:`WebSocketResponse.can_prepare`
json_response
-------------
.. function:: json_response([data], *, text=None, body=None, \
status=200, reason=None, headers=None, \
content_type='application/json', \
dumps=json.dumps)
Return :class:`Response` with predefined ``'application/json'``
content type and *data* encoded by ``dumps`` parameter
(:func:`json.dumps` by default).
.. _aiohttp-web-app-and-router:
Application and Router
----------------------
Application
^^^^^^^^^^^
Application is a synonym for web-server.
To get fully working example, you have to make *application*, register
supported urls in *router* and create a *server socket* with
:class:`~aiohttp.web.Server` as a *protocol
factory*. *Server* could be constructed with
:meth:`Application.make_handler`.
*Application* contains a *router* instance and a list of callbacks that
will be called during application finishing.
:class:`Application` is a :obj:`dict`-like object, so you can use it for
:ref:`sharing data<aiohttp-web-data-sharing>` globally by storing arbitrary
properties for later access from a :ref:`handler<aiohttp-web-handler>` via the
:attr:`Request.app` property::
app = Application(loop=loop)
app['database'] = await aiopg.create_engine(**db_config)
async def handler(request):
with (await request.app['database']) as conn:
conn.execute("DELETE * FROM table")
Although :class:`Application` is a :obj:`dict`-like object, it can't be
duplicated like one using :meth:`Application.copy`.
.. class:: Application(*, loop=None, router=None, logger=<default>, \
middlewares=(), debug=False, **kwargs)
The class inherits :class:`dict`.
:param loop: :ref:`event loop<asyncio-event-loop>` used
for processing HTTP requests.
If param is ``None`` :func:`asyncio.get_event_loop`
used for getting default event loop, but we strongly
recommend to use explicit loops everywhere.
:param router: :class:`aiohttp.abc.AbstractRouter` instance, the system
creates :class:`UrlDispatcher` by default if
*router* is ``None``.
:param logger: :class:`logging.Logger` instance for storing application logs.
By default the value is ``logging.getLogger("aiohttp.web")``
:param middlewares: :class:`list` of middleware factories, see
:ref:`aiohttp-web-middlewares` for details.
:param debug: Switches debug mode.
.. attribute:: router
Read-only property that returns *router instance*.
.. attribute:: logger
:class:`logging.Logger` instance for storing application logs.
.. attribute:: loop
:ref:`event loop<asyncio-event-loop>` used for processing HTTP requests.
.. attribute:: debug
Boolean value indicating whether the debug mode is turned on or off.
.. attribute:: on_response_prepare
A :class:`~aiohttp.signals.Signal` that is fired at the beginning
of :meth:`StreamResponse.prepare` with parameters *request* and
*response*. It can be used, for example, to add custom headers to each
response before sending.
Signal handlers should have the following signature::
async def on_prepare(request, response):
pass
.. attribute:: on_startup
A :class:`~aiohttp.signals.Signal` that is fired on application start-up.
Subscribers may use the signal to run background tasks in the event
loop along with the application's request handler just after the
application start-up.
Signal handlers should have the following signature::
async def on_startup(app):
pass
.. seealso:: :ref:`aiohttp-web-background-tasks`.
.. attribute:: on_shutdown
A :class:`~aiohttp.signals.Signal` that is fired on application shutdown.
Subscribers may use the signal for gracefully closing long running
connections, e.g. websockets and data streaming.
Signal handlers should have the following signature::
async def on_shutdown(app):
pass
It's up to end user to figure out which :term:`web-handler`\s
are still alive and how to finish them properly.
We suggest keeping a list of long running handlers in
:class:`Application` dictionary.
.. seealso:: :ref:`aiohttp-web-graceful-shutdown` and :attr:`on_cleanup`.
.. attribute:: on_cleanup
A :class:`~aiohttp.signals.Signal` that is fired on application cleanup.
Subscribers may use the signal for gracefully closing
connections to database server etc.
Signal handlers should have the following signature::
async def on_cleanup(app):
pass
.. seealso:: :ref:`aiohttp-web-graceful-shutdown` and :attr:`on_shutdown`.
.. method:: make_handler(**kwargs)
Creates HTTP protocol factory for handling requests.
:param tuple secure_proxy_ssl_header: Secure proxy SSL header. Can
be used to detect request scheme,
e.g. ``secure_proxy_ssl_header=('X-Forwarded-Proto', 'https')``.
Default: ``None``.
:param bool tcp_keepalive: Enable TCP Keep-Alive. Default: ``True``.
:param int keepalive_timeout: Number of seconds before closing Keep-Alive
connection. Default: ``75`` seconds (NGINX's default value).
:param slow_request_timeout: Slow request timeout. Default: ``0``.
:param logger: Custom logger object. Default:
:data:`aiohttp.log.server_logger`.
:param access_log: Custom logging object. Default:
:data:`aiohttp.log.access_logger`.
:param str access_log_format: Access log format string. Default:
:attr:`helpers.AccessLogger.LOG_FORMAT`.
:param bool debug: Switches debug mode. Default: ``False``.
.. deprecated:: 1.0
The usage of ``debug`` parameter in :meth:`Application.make_handler`
is deprecated in favor of :attr:`Application.debug`.
The :class:`Application`'s debug mode setting should be used
as a single point to setup a debug mode.
:param int max_line_size: Optional maximum header line size. Default:
``8190``.
:param int max_headers: Optional maximum header size. Default: ``32768``.
:param int max_field_size: Optional maximum header field size. Default:
``8190``.
:param float lingering_time: maximum time during which the server
reads and ignore additional data coming from the client when
lingering close is on. Use ``0`` for disabling lingering on
server channel closing.
:param float lingering_timeout: maximum waiting time for more
client data to arrive when lingering close is in effect
You should pass result of the method as *protocol_factory* to
:meth:`~asyncio.AbstractEventLoop.create_server`, e.g.::
loop = asyncio.get_event_loop()
app = Application(loop=loop)
# setup route table
# app.router.add_route(...)
await loop.create_server(app.make_handler(),
'0.0.0.0', 8080)
.. coroutinemethod:: startup()
A :ref:`coroutine<coroutine>` that will be called along with the
application's request handler.
The purpose of the method is calling :attr:`on_startup` signal
handlers.
.. coroutinemethod:: shutdown()
A :ref:`coroutine<coroutine>` that should be called on
server stopping but before :meth:`finish()`.
The purpose of the method is calling :attr:`on_shutdown` signal
handlers.
.. coroutinemethod:: cleanup()
A :ref:`coroutine<coroutine>` that should be called on
server stopping but after :meth:`shutdown`.
The purpose of the method is calling :attr:`on_cleanup` signal
handlers.
.. coroutinemethod:: finish()
A deprecated alias for :meth:`cleanup`.
.. deprecated:: 0.21
.. method:: register_on_finish(self, func, *args, **kwargs):
Register *func* as a function to be executed at termination.
Any optional arguments that are to be passed to *func* must be
passed as arguments to :meth:`register_on_finish`. It is possible to
register the same function and arguments more than once.
During the call of :meth:`finish` all functions registered are called in
last in, first out order.
*func* may be either regular function or :ref:`coroutine<coroutine>`,
:meth:`finish` will un-yield (`await`) the later.
.. deprecated:: 0.21
Use :attr:`on_cleanup` instead: ``app.on_cleanup.append(handler)``.
.. note::
Application object has :attr:`router` attribute but has no
``add_route()`` method. The reason is: we want to support
different router implementations (even maybe not url-matching
based but traversal ones).
For sake of that fact we have very trivial ABC for
:class:`AbstractRouter`: it should have only
:meth:`AbstractRouter.resolve` coroutine.
No methods for adding routes or route reversing (getting URL by
route name). All those are router implementation details (but,
sure, you need to deal with that methods after choosing the
router for your application).
Server
^^^^^^
A protocol factory compatible with
:meth:`~asyncio.AbstreactEventLoop.create_server`.
.. class:: Server
The class is responsible for creating HTTP protocol
objects that can handle HTTP connections.
.. attribute:: Server.connections
List of all currently opened connections.
.. attribute:: requests_count
Amount of processed requests.
.. versionadded:: 1.0
.. coroutinemethod:: Server.shutdown(timeout)
A :ref:`coroutine<coroutine>` that should be called to close all opened
connections.
.. coroutinemethod:: Server.finish_connections(timeout)
.. deprecated:: 1.2
A deprecated alias for :meth:`shutdown`.
.. versionchanged:: 1.2
``Server`` was called ``RequestHandlerFactory`` before ``aiohttp==1.2``.
The rename has no deprecation period but it's safe: no user
should instantiate the class by hands.
Router
^^^^^^
For dispatching URLs to :ref:`handlers<aiohttp-web-handler>`
:mod:`aiohttp.web` uses *routers*.
Router is any object that implements :class:`AbstractRouter` interface.
:mod:`aiohttp.web` provides an implementation called :class:`UrlDispatcher`.
:class:`Application` uses :class:`UrlDispatcher` as :meth:`router` by default.
.. class:: UrlDispatcher()
Straightforward url-matching router, implements
:class:`collections.abc.Mapping` for access to *named routes*.
Before running :class:`Application` you should fill *route
table* first by calling :meth:`add_route` and :meth:`add_static`.
:ref:`Handler<aiohttp-web-handler>` lookup is performed by iterating on
added *routes* in FIFO order. The first matching *route* will be used
to call corresponding *handler*.
If on route creation you specify *name* parameter the result is
*named route*.
*Named route* can be retrieved by ``app.router[name]`` call, checked for
existence by ``name in app.router`` etc.
.. seealso:: :ref:`Route classes <aiohttp-web-route>`
.. method:: add_resource(path, *, name=None)
Append a :term:`resource` to the end of route table.
*path* may be either *constant* string like ``'/a/b/c'`` or
*variable rule* like ``'/a/{var}'`` (see
:ref:`handling variable paths <aiohttp-web-variable-handler>`)
:param str path: resource path spec.
:param str name: optional resource name.
:return: created resource instance (:class:`PlainResource` or
:class:`DynamicResource`).
.. method:: add_route(method, path, handler, *, \
name=None, expect_handler=None)
Append :ref:`handler<aiohttp-web-handler>` to the end of route table.
*path* may be either *constant* string like ``'/a/b/c'`` or
*variable rule* like ``'/a/{var}'`` (see
:ref:`handling variable paths <aiohttp-web-variable-handler>`)
Pay attention please: *handler* is converted to coroutine internally when
it is a regular function.
:param str method: HTTP method for route. Should be one of
``'GET'``, ``'POST'``, ``'PUT'``,
``'DELETE'``, ``'PATCH'``, ``'HEAD'``,
``'OPTIONS'`` or ``'*'`` for any method.
The parameter is case-insensitive, e.g. you
can push ``'get'`` as well as ``'GET'``.
:param str path: route path. Should be started with slash (``'/'``).
:param callable handler: route handler.
:param str name: optional route name.
:param coroutine expect_handler: optional *expect* header handler.
:returns: new :class:`PlainRoute` or :class:`DynamicRoute` instance.
.. method:: add_get(path, *args, **kwargs)
Shortcut for adding a GET handler. Calls the :meth:`add_route` with \
``method`` equals to ``'GET'``.
.. versionadded:: 1.0
.. method:: add_post(path, *args, **kwargs)
Shortcut for adding a POST handler. Calls the :meth:`add_route` with \
``method`` equals to ``'POST'``.
.. versionadded:: 1.0
.. method:: add_put(path, *args, **kwargs)
Shortcut for adding a PUT handler. Calls the :meth:`add_route` with \
``method`` equals to ``'PUT'``.
.. versionadded:: 1.0
.. method:: add_patch(path, *args, **kwargs)
Shortcut for adding a PATCH handler. Calls the :meth:`add_route` with \
``method`` equals to ``'PATCH'``.
.. versionadded:: 1.0
.. method:: add_delete(path, *args, **kwargs)
Shortcut for adding a DELETE handler. Calls the :meth:`add_route` with \
``method`` equals to ``'DELETE'``.
.. versionadded:: 1.0
.. method:: add_static(prefix, path, *, name=None, expect_handler=None, \
chunk_size=256*1024, \
response_factory=StreamResponse, \
show_index=False, \
follow_symlinks=False)
Adds a router and a handler for returning static files.
Useful for serving static content like images, javascript and css files.
On platforms that support it, the handler will transfer files more
efficiently using the ``sendfile`` system call.
In some situations it might be necessary to avoid using the ``sendfile``
system call even if the platform supports it. This can be accomplished by
by setting environment variable ``AIOHTTP_NOSENDFILE=1``.
If a gzip version of the static content exists at file path + ``.gz``, it
will be used for the response.
.. warning::
Use :meth:`add_static` for development only. In production,
static content should be processed by web servers like *nginx*
or *apache*.
.. versionchanged:: 0.18.0
Transfer files using the ``sendfile`` system call on supported
platforms.
.. versionchanged:: 0.19.0
Disable ``sendfile`` by setting environment variable
``AIOHTTP_NOSENDFILE=1``
.. versionchanged:: 1.2.0
Send gzip version if file path + ``.gz`` exists.
:param str prefix: URL path prefix for handled static files
:param path: path to the folder in file system that contains
handled static files, :class:`str` or :class:`pathlib.Path`.
:param str name: optional route name.
:param coroutine expect_handler: optional *expect* header handler.
:param int chunk_size: size of single chunk for file
downloading, 256Kb by default.
Increasing *chunk_size* parameter to,
say, 1Mb may increase file downloading
speed but consumes more memory.
.. versionadded:: 0.16
:param callable response_factory: factory to use to generate a new
response, defaults to
:class:`StreamResponse` and should
expose a compatible API.
.. versionadded:: 0.17
:param bool show_index: flag for allowing to show indexes of a directory,
by default it's not allowed and HTTP/403 will
be returned on directory access.
:param bool follow_symlinks: flag for allowing to follow symlinks from
a directory, by default it's not allowed and
HTTP/404 will be returned on access.
:returns: new :class:`StaticRoute` instance.
.. method:: add_subapp(prefix, subapp)
Register nested sub-application under given path *prefix*.
In resolving process if request's path starts with *prefix* then
further resolving is passed to *subapp*.
:param str prefix: path's prefix for the resource.
:param Application subapp: nested application attached under *prefix*.
:returns: a :class:`PrefixedSubAppResource` instance.
.. versionadded:: 1.1
.. coroutinemethod:: resolve(request)
A :ref:`coroutine<coroutine>` that returns
:class:`AbstractMatchInfo` for *request*.
The method never raises exception, but returns
:class:`AbstractMatchInfo` instance with:
1. :attr:`~AbstractMatchInfo.http_exception` assigned to
:exc:`HTTPException` instance.
2. :attr:`~AbstractMatchInfo.handler` which raises
:exc:`HTTPNotFound` or :exc:`HTTPMethodNotAllowed` on handler's
execution if there is no registered route for *request*.
*Middlewares* can process that exceptions to render
pretty-looking error page for example.
Used by internal machinery, end user unlikely need to call the method.
.. note:: The method uses :attr:`Request.raw_path` for pattern
matching against registered routes.
.. method:: resources()
The method returns a *view* for *all* registered resources.
The view is an object that allows to:
1. Get size of the router table::
len(app.router.resources())
2. Iterate over registered resources::
for resource in app.router.resources():
print(resource)
3. Make a check if the resources is registered in the router table::
route in app.router.resources()
.. versionadded:: 0.21.1
.. method:: routes()
The method returns a *view* for *all* registered routes.
.. versionadded:: 0.18
.. method:: named_resources()
Returns a :obj:`dict`-like :class:`types.MappingProxyType` *view* over
*all* named **resources**.
The view maps every named resource's **name** to the
:class:`BaseResource` instance. It supports the usual
:obj:`dict`-like operations, except for any mutable operations
(i.e. it's **read-only**)::
len(app.router.named_resources())
for name, resource in app.router.named_resources().items():
print(name, resource)
"name" in app.router.named_resources()
app.router.named_resources()["name"]
.. versionadded:: 0.21
.. method:: named_routes()
An alias for :meth:`named_resources` starting from aiohttp 0.21.
.. versionadded:: 0.19
.. versionchanged:: 0.21
The method is an alias for :meth:`named_resources`, so it
iterates over resources instead of routes.
.. deprecated:: 0.21
Please use named **resources** instead of named **routes**.
Several routes which belongs to the same resource shares the
resource name.
.. _aiohttp-web-resource:
Resource
^^^^^^^^
Default router :class:`UrlDispatcher` operates with :term:`resource`\s.
Resource is an item in *routing table* which has a *path*, an optional
unique *name* and at least one :term:`route`.
:term:`web-handler` lookup is performed in the following way:
1. Router iterates over *resources* one-by-one.
2. If *resource* matches to requested URL the resource iterates over
own *routes*.
3. If route matches to requested HTTP method (or ``'*'`` wildcard) the
route's handler is used as found :term:`web-handler`. The lookup is
finished.
4. Otherwise router tries next resource from the *routing table*.
5. If the end of *routing table* is reached and no *resource* /
*route* pair found the *router* returns special :class:`AbstractMatchInfo`
instance with :attr:`AbstractMatchInfo.http_exception` is not ``None``
but :exc:`HTTPException` with either *HTTP 404 Not Found* or
*HTTP 405 Method Not Allowed* status code.
Registered :attr:`AbstractMatchInfo.handler` raises this exception on call.
User should never instantiate resource classes but give it by
:meth:`UrlDispatcher.add_resource` call.
After that he may add a :term:`route` by calling :meth:`Resource.add_route`.
:meth:`UrlDispatcher.add_route` is just shortcut for::
router.add_resource(path).add_route(method, handler)
Resource with a *name* is called *named resource*.
The main purpose of *named resource* is constructing URL by route name for
passing it into *template engine* for example::
url = app.router['resource_name'].url_for().with_query({'a': 1, 'b': 2})
Resource classes hierarchy::
AbstractResource
Resource
PlainResource
DynamicResource
StaticResource
.. class:: AbstractResource
A base class for all resources.
Inherited from :class:`collections.abc.Sized` and
:class:`collections.abc.Iterable`.
``len(resource)`` returns amount of :term:`route`\s belongs to the resource,
``for route in resource`` allows to iterate over these routes.
.. attribute:: name
Read-only *name* of resource or ``None``.
.. coroutinemethod:: resolve(method, path)
Resolve resource by finding appropriate :term:`web-handler` for
``(method, path)`` combination.
:param str method: requested HTTP method.
:param str path: *path* part of request.
:return: (*match_info*, *allowed_methods*) pair.
*allowed_methods* is a :class:`set` or HTTP methods accepted by
resource.
*match_info* is either :class:`UrlMappingMatchInfo` if
request is resolved or ``None`` if no :term:`route` is
found.
.. method:: get_info()
A resource description, e.g. ``{'path': '/path/to'}`` or
``{'formatter': '/path/{to}', 'pattern':
re.compile(r'^/path/(?P<to>[a-zA-Z][_a-zA-Z0-9]+)$``
.. method:: url_for(*args, **kwargs)
Construct an URL for route with additional params.
*args* and **kwargs** depend on a parameters list accepted by
inherited resource class.
:return: :class:`~yarl.URL` -- resulting URL instance.
.. versionadded:: 1.1
.. method:: url(**kwargs)
Construct an URL for route with additional params.
**kwargs** depends on a list accepted by inherited resource
class parameters.
:return: :class:`str` -- resulting URL string.
.. deprecated:: 1.1
Use :meth:`url_for` instead.
.. class:: Resource
A base class for new-style resources, inherits :class:`AbstractResource`.
.. method:: add_route(method, handler, *, expect_handler=None)
Add a :term:`web-handler` to resource.
:param str method: HTTP method for route. Should be one of
``'GET'``, ``'POST'``, ``'PUT'``,
``'DELETE'``, ``'PATCH'``, ``'HEAD'``,
``'OPTIONS'`` or ``'*'`` for any method.
The parameter is case-insensitive, e.g. you
can push ``'get'`` as well as ``'GET'``.
The method should be unique for resource.
:param callable handler: route handler.
:param coroutine expect_handler: optional *expect* header handler.
:returns: new :class:`ResourceRoute` instance.
.. class:: PlainResource
A resource, inherited from :class:`Resource`.
The class corresponds to resources with plain-text matching,
``'/path/to'`` for example.
.. method:: url_for()
Returns a :class:`~yarl.URL` for the resource.
.. versionadded:: 1.1
.. class:: DynamicResource
A resource, inherited from :class:`Resource`.
The class corresponds to resources with
:ref:`variable <aiohttp-web-variable-handler>` matching,
e.g. ``'/path/{to}/{param}'`` etc.
.. method:: url_for(**params)
Returns a :class:`~yarl.URL` for the resource.
:param params: -- a variable substitutions for dynamic resource.
E.g. for ``'/path/{to}/{param}'`` pattern the method should
be called as ``resource.url_for(to='val1', param='val2')``
.. versionadded:: 1.1
.. class:: StaticResource
A resource, inherited from :class:`Resource`.
The class corresponds to resources for :ref:`static file serving
<aiohttp-web-static-file-handling>`.
.. method:: url_for(filename)
Returns a :class:`~yarl.URL` for file path under resource prefix.
:param filename: -- a file name substitution for static file handler.
Accepts both :class:`str` and :class:`pathlib.Path`.
E.g. an URL for ``'/prefix/dir/file.txt'`` should
be generated as ``resource.url_for(filename='dir/file.txt')``
.. versionadded:: 1.1
.. class:: PrefixedSubAppResource
A resource for serving nested applications. The class instance is
returned by :class:`~aiohttp.web.UrlDispatcher.add_subapp` call.
.. versionadded:: 1.1
.. method:: url_for(**kwargs)
The call is not allowed, it raises :exc:`RuntimeError`.
.. _aiohttp-web-route:
Route
^^^^^
Route has *HTTP method* (wildcard ``'*'`` is an option),
:term:`web-handler` and optional *expect handler*.
Every route belong to some resource.
Route classes hierarchy::
AbstractRoute
ResourceRoute
SystemRoute
:class:`ResourceRoute` is the route used for resources,
:class:`SystemRoute` serves URL resolving errors like *404 Not Found*
and *405 Method Not Allowed*.
.. class:: AbstractRoute
Base class for routes served by :class:`UrlDispatcher`.
.. attribute:: method
HTTP method handled by the route, e.g. *GET*, *POST* etc.
.. attribute:: handler
:ref:`handler<aiohttp-web-handler>` that processes the route.
.. attribute:: name
Name of the route, always equals to name of resource which owns the route.
.. attribute:: resource
Resource instance which holds the route, ``None`` for
:class:`SystemRoute`.
.. method:: url_for(*args, **kwargs)
Abstract method for constructing url handled by the route.
Actually it's a shortcut for ``route.resource.url_for(...)``.
.. coroutinemethod:: handle_expect_header(request)
``100-continue`` handler.
.. class:: ResourceRoute
The route class for handling different HTTP methods for :class:`Resource`.
.. class:: SystemRoute
The route class for handling URL resolution errors like like *404 Not Found*
and *405 Method Not Allowed*.
.. attribute:: status
HTTP status code
.. attribute:: reason
HTTP status reason
MatchInfo
^^^^^^^^^
After route matching web application calls found handler if any.
Matching result can be accessible from handler as
:attr:`Request.match_info` attribute.
In general the result may be any object derived from
:class:`AbstractMatchInfo` (:class:`UrlMappingMatchInfo` for default
:class:`UrlDispatcher` router).
.. class:: UrlMappingMatchInfo
Inherited from :class:`dict` and :class:`AbstractMatchInfo`. Dict
items are filled by matching info and is :term:`resource`\-specific.
.. attribute:: expect_handler
A coroutine for handling ``100-continue``.
.. attribute:: handler
A coroutine for handling request.
.. attribute:: route
:class:`Route` instance for url matching.
View
^^^^
.. class:: View(request)
Inherited from :class:`AbstractView`.
Base class for class based views. Implementations should derive from
:class:`View` and override methods for handling HTTP verbs like
``get()`` or ``post()``::
class MyView(View):
async def get(self):
resp = await get_response(self.request)
return resp
async def post(self):
resp = await post_response(self.request)
return resp
app.router.add_route('*', '/view', MyView)
The view raises *405 Method Not allowed*
(:class:`HTTPMethodNowAllowed`) if requested web verb is not
supported.
:param request: instance of :class:`Request` that has initiated a view
processing.
.. attribute:: request
Request sent to view's constructor, read-only property.
Overridable coroutine methods: ``connect()``, ``delete()``,
``get()``, ``head()``, ``options()``, ``patch()``, ``post()``,
``put()``, ``trace()``.
.. seealso:: :ref:`aiohttp-web-class-based-views`
Utilities
---------
.. class:: FileField
A :class:`~collections.namedtuple` instance that is returned as
multidict value by :meth:`Request.POST` if field is uploaded file.
.. attribute:: name
Field name
.. attribute:: filename
File name as specified by uploading (client) side.
.. attribute:: file
An :class:`io.IOBase` instance with content of uploaded file.
.. attribute:: content_type
*MIME type* of uploaded file, ``'text/plain'`` by default.
.. seealso:: :ref:`aiohttp-web-file-upload`
.. function:: run_app(app, *, host='0.0.0.0', port=None, loop=None, \
shutdown_timeout=60.0, ssl_context=None, \
print=print, backlog=128, \
access_log_format=None, \
access_log=aiohttp.log.access_logger)
A utility function for running an application, serving it until
keyboard interrupt and performing a
:ref:`aiohttp-web-graceful-shutdown`.
Suitable as handy tool for scaffolding aiohttp based projects.
Perhaps production config will use more sophisticated runner but it
good enough at least at very beginning stage.
The function uses *app.loop* as event loop to run.
:param app: :class:`Application` instance to run
:param str host: host for HTTP server, ``'0.0.0.0'`` by default
:param int port: port for HTTP server. By default is ``8080`` for
plain text HTTP and ``8443`` for HTTP via SSL
(when *ssl_context* parameter is specified).
:param int shutdown_timeout: a delay to wait for graceful server
shutdown before disconnecting all
open client sockets hard way.
A system with properly
:ref:`aiohttp-web-graceful-shutdown`
implemented never waits for this
timeout but closes a server in a few
milliseconds.
:param ssl_context: :class:`ssl.SSLContext` for HTTPS server,
``None`` for HTTP connection.
:param print: a callable compatible with :func:`print`. May be used
to override STDOUT output or suppress it.
:param int backlog: the number of unaccepted connections that the
system will allow before refusing new
connections (``128`` by default).
:param access_log: :class:`logging.Logger` instance used for saving
access logs. Use ``None`` for disabling logs for
sake of speedup.
:param access_log_format: access log format, see
:ref:`aiohttp-logging-access-log-format-spec`
for details.
Constants
---------
.. class:: ContentCoding
An :class:`enum.Enum` class of available Content Codings.
.. attribute:: deflate
*DEFLATE compression*
.. attribute:: gzip
*GZIP compression*
.. attribute:: identity
*no compression*
.. disqus::
:title: aiohttp server reference
|