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
|
Part 1 - Send & receive
=======================
.. currentmodule:: websockets
In this tutorial, you're going to build a web-based `Connect Four`_ game.
.. _Connect Four: https://en.wikipedia.org/wiki/Connect_Four
The web removes the constraint of being in the same room for playing a game.
Two players can connect over of the Internet, regardless of where they are,
and play in their browsers.
When a player makes a move, it should be reflected immediately on both sides.
This is difficult to implement over HTTP due to the request-response style of
the protocol.
Indeed, there is no good way to be notified when the other player makes a
move. Workarounds such as polling or long-polling introduce significant
overhead.
Enter `WebSocket <websocket>`_.
The WebSocket protocol provides two-way communication between a browser and a
server over a persistent connection. That's exactly what you need to exchange
moves between players, via a server.
.. admonition:: This is the first part of the tutorial.
* In this :doc:`first part <tutorial1>`, you will create a server and
connect one browser; you can play if you share the same browser.
* In the :doc:`second part <tutorial2>`, you will connect a second
browser; you can play from different browsers on a local network.
* In the :doc:`third part <tutorial3>`, you will deploy the game to the
web; you can play from any browser connected to the Internet.
Prerequisites
-------------
This tutorial assumes basic knowledge of Python and JavaScript.
If you're comfortable with :doc:`virtual environments <python:tutorial/venv>`,
you can use one for this tutorial. Else, don't worry: websockets doesn't have
any dependencies; it shouldn't create trouble in the default environment.
If you haven't installed websockets yet, do it now:
.. code-block:: console
$ pip install websockets
Confirm that websockets is installed:
.. code-block:: console
$ websockets --version
.. admonition:: This tutorial is written for websockets |release|.
:class: tip
If you installed another version, you should switch to the corresponding
version of the documentation.
Download the starter kit
------------------------
Create a directory and download these three files:
:download:`connect4.js <../../example/tutorial/start/connect4.js>`,
:download:`connect4.css <../../example/tutorial/start/connect4.css>`,
and :download:`connect4.py <../../example/tutorial/start/connect4.py>`.
The JavaScript module, along with the CSS file, provides a web-based user
interface. Here's its API.
.. js:module:: connect4
.. js:data:: PLAYER1
Color of the first player.
.. js:data:: PLAYER2
Color of the second player.
.. js:function:: createBoard(board)
Draw a board.
:param board: DOM element containing the board; must be initially empty.
.. js:function:: playMove(board, player, column, row)
Play a move.
:param board: DOM element containing the board.
:param player: :js:data:`PLAYER1` or :js:data:`PLAYER2`.
:param column: between ``0`` and ``6``.
:param row: between ``0`` and ``5``.
The Python module provides a class to record moves and tell when a player
wins. Here's its API.
.. module:: connect4
.. data:: PLAYER1
:value: "red"
Color of the first player.
.. data:: PLAYER2
:value: "yellow"
Color of the second player.
.. class:: Connect4
A Connect Four game.
.. method:: play(player, column)
Play a move.
:param player: :data:`~connect4.PLAYER1` or :data:`~connect4.PLAYER2`.
:param column: between ``0`` and ``6``.
:returns: Row where the checker lands, between ``0`` and ``5``.
:raises ValueError: if the move is illegal.
.. attribute:: moves
List of moves played during this game, as ``(player, column, row)``
tuples.
.. attribute:: winner
:data:`~connect4.PLAYER1` or :data:`~connect4.PLAYER2` if they
won; :obj:`None` if the game is still ongoing.
.. currentmodule:: websockets
Bootstrap the web UI
--------------------
Create an ``index.html`` file next to ``connect4.js`` and ``connect4.css``
with this content:
.. literalinclude:: ../../example/tutorial/step1/index.html
:language: html
This HTML page contains an empty ``<div>`` element where you will draw the
Connect Four board. It loads a ``main.js`` script where you will write all
your JavaScript code.
Create a ``main.js`` file next to ``index.html``. In this script, when the
page loads, draw the board:
.. code-block:: javascript
import { createBoard, playMove } from "./connect4.js";
window.addEventListener("DOMContentLoaded", () => {
// Initialize the UI.
const board = document.querySelector(".board");
createBoard(board);
});
Open a shell, navigate to the directory containing these files, and start an
HTTP server:
.. code-block:: console
$ python -m http.server
Open http://localhost:8000/ in a web browser. The page displays an empty board
with seven columns and six rows. You will play moves in this board later.
Bootstrap the server
--------------------
Create an ``app.py`` file next to ``connect4.py`` with this content:
.. code-block:: python
#!/usr/bin/env python
import asyncio
from websockets.asyncio.server import serve
async def handler(websocket):
while True:
message = await websocket.recv()
print(message)
async def main():
async with serve(handler, "", 8001) as server:
await server.serve_forever()
if __name__ == "__main__":
asyncio.run(main())
The entry point of this program is ``asyncio.run(main())``. It creates an
asyncio event loop, runs the ``main()`` coroutine, and shuts down the loop.
The ``main()`` coroutine calls :func:`~asyncio.server.serve` to start a
websockets server. :func:`~asyncio.server.serve` takes three positional
arguments:
* ``handler`` is a coroutine that manages a connection. When a client
connects, websockets calls ``handler`` with the connection in argument.
When ``handler`` terminates, websockets closes the connection.
* The second argument defines the network interfaces where the server can be
reached. Here, the server listens on all interfaces, so that other devices
on the same local network can connect.
* The third argument is the port on which the server listens.
Invoking :func:`~asyncio.server.serve` as an asynchronous context manager, in an
``async with`` block, ensures that the server shuts down properly when
terminating the program.
For each connection, the ``handler()`` coroutine runs an infinite loop that
receives messages from the browser and prints them.
Open a shell, navigate to the directory containing ``app.py``, and start the
server:
.. code-block:: console
$ python app.py
This doesn't display anything. Hopefully the WebSocket server is running.
Let's make sure that it works. You cannot test the WebSocket server with a
web browser like you tested the HTTP server. However, you can test it with
websockets' interactive client.
Open another shell and run this command:
.. code-block:: console
$ websockets ws://localhost:8001/
You get a prompt. Type a message and press "Enter". Switch to the shell where
the server is running and check that the server received the message. Good!
Exit the interactive client with Ctrl-C or Ctrl-D.
Now, if you look at the console where you started the server, you can see the
stack trace of an exception:
.. code-block:: pytb
connection handler failed
Traceback (most recent call last):
...
File "app.py", line 22, in handler
message = await websocket.recv()
...
websockets.exceptions.ConnectionClosedOK: received 1000 (OK); then sent 1000 (OK)
Indeed, the server was waiting for the next message with
:meth:`~asyncio.server.ServerConnection.recv` when the client disconnected.
When this happens, websockets raises a :exc:`~exceptions.ConnectionClosedOK`
exception to let you know that you won't receive another message on this
connection.
This exception creates noise in the server logs, making it more difficult to
spot real errors when you add functionality to the server. Catch it in the
``handler()`` coroutine:
.. code-block:: python
from websockets.exceptions import ConnectionClosedOK
async def handler(websocket):
while True:
try:
message = await websocket.recv()
except ConnectionClosedOK:
break
print(message)
Stop the server with Ctrl-C and start it again:
.. code-block:: console
$ python app.py
.. admonition:: You must restart the WebSocket server when you make changes.
:class: tip
The WebSocket server loads the Python code in ``app.py`` then serves every
WebSocket request with this version of the code. As a consequence,
changes to ``app.py`` aren't visible until you restart the server.
This is unlike the HTTP server that you started earlier with ``python -m
http.server``. For every request, this HTTP server reads the target file
and sends it. That's why changes are immediately visible.
It is possible to :doc:`restart the WebSocket server automatically
<../howto/autoreload>` but this isn't necessary for this tutorial.
Try connecting and disconnecting the interactive client again.
The :exc:`~exceptions.ConnectionClosedOK` exception doesn't appear anymore.
This pattern is so common that websockets provides a shortcut for iterating
over messages received on the connection until the client disconnects:
.. code-block:: python
async def handler(websocket):
async for message in websocket:
print(message)
Restart the server and check with the interactive client that its behavior
didn't change.
At this point, you bootstrapped a web application and a WebSocket server.
Let's connect them.
Transmit from browser to server
-------------------------------
In JavaScript, you open a WebSocket connection as follows:
.. code-block:: javascript
const websocket = new WebSocket("ws://localhost:8001/");
Before you exchange messages with the server, you need to decide their format.
There is no universal convention for this.
Let's use JSON objects with a ``type`` key identifying the type of the event
and the rest of the object containing properties of the event.
Here's an event describing a move in the middle slot of the board:
.. code-block:: javascript
const event = {type: "play", column: 3};
Here's how to serialize this event to JSON and send it to the server:
.. code-block:: javascript
websocket.send(JSON.stringify(event));
Now you have all the building blocks to send moves to the server.
Add this function to ``main.js``:
.. literalinclude:: ../../example/tutorial/step1/main.js
:language: js
:start-at: function sendMoves
:end-before: window.addEventListener
``sendMoves()`` registers a listener for ``click`` events on the board. The
listener figures out which column was clicked, builds a event of type
``"play"``, serializes it, and sends it to the server.
Modify the initialization to open the WebSocket connection and call the
``sendMoves()`` function:
.. code-block:: javascript
window.addEventListener("DOMContentLoaded", () => {
// Initialize the UI.
const board = document.querySelector(".board");
createBoard(board);
// Open the WebSocket connection and register event handlers.
const websocket = new WebSocket("ws://localhost:8001/");
sendMoves(board, websocket);
});
Check that the HTTP server and the WebSocket server are still running. If you
stopped them, here are the commands to start them again:
.. code-block:: console
$ python -m http.server
.. code-block:: console
$ python app.py
Refresh http://localhost:8000/ in your web browser. Click various columns in
the board. The server receives messages with the expected column number.
There isn't any feedback in the board because you haven't implemented that
yet. Let's do it.
Transmit from server to browser
-------------------------------
In JavaScript, you receive WebSocket messages by listening to ``message``
events. Here's how to receive a message from the server and deserialize it
from JSON:
.. code-block:: javascript
websocket.addEventListener("message", ({ data }) => {
const event = JSON.parse(data);
// do something with event
});
You're going to need three types of messages from the server to the browser:
.. code-block:: javascript
{type: "play", player: "red", column: 3, row: 0}
{type: "win", player: "red"}
{type: "error", message: "This slot is full."}
The JavaScript code receiving these messages will dispatch events depending on
their type and take appropriate action. For example, it will react to an
event of type ``"play"`` by displaying the move on the board with
the :js:func:`~connect4.playMove` function.
Add this function to ``main.js``:
.. literalinclude:: ../../example/tutorial/step1/main.js
:language: js
:start-at: function showMessage
:end-before: function sendMoves
.. admonition:: Why does ``showMessage`` use ``window.setTimeout``?
:class: hint
When :js:func:`playMove` modifies the state of the board, the browser
renders changes asynchronously. Conversely, ``window.alert()`` runs
synchronously and blocks rendering while the alert is visible.
If you called ``window.alert()`` immediately after :js:func:`playMove`,
the browser could display the alert before rendering the move. You could
get a "Player red wins!" alert without seeing red's last move.
We're using ``window.alert()`` for simplicity in this tutorial. A real
application would display these messages in the user interface instead.
It wouldn't be vulnerable to this problem.
Modify the initialization to call the ``receiveMoves()`` function:
.. literalinclude:: ../../example/tutorial/step1/main.js
:language: js
:start-at: window.addEventListener
At this point, the user interface should receive events properly. Let's test
it by modifying the server to send some events.
Sending an event from Python is quite similar to JavaScript:
.. code-block:: python
event = {"type": "play", "player": "red", "column": 3, "row": 0}
await websocket.send(json.dumps(event))
.. admonition:: Don't forget to serialize the event with :func:`json.dumps`.
:class: tip
Else, websockets raises ``TypeError: data is a dict-like object``.
Modify the ``handler()`` coroutine in ``app.py`` as follows:
.. code-block:: python
import json
from connect4 import PLAYER1, PLAYER2
async def handler(websocket):
for player, column, row in [
(PLAYER1, 3, 0),
(PLAYER2, 3, 1),
(PLAYER1, 4, 0),
(PLAYER2, 4, 1),
(PLAYER1, 2, 0),
(PLAYER2, 1, 0),
(PLAYER1, 5, 0),
]:
event = {
"type": "play",
"player": player,
"column": column,
"row": row,
}
await websocket.send(json.dumps(event))
await asyncio.sleep(0.5)
event = {
"type": "win",
"player": PLAYER1,
}
await websocket.send(json.dumps(event))
Restart the WebSocket server and refresh http://localhost:8000/ in your web
browser. Seven moves appear at 0.5 second intervals. Then an alert announces
the winner.
Good! Now you know how to communicate both ways.
Once you plug the game engine to process moves, you will have a fully
functional game.
Add the game logic
------------------
In the ``handler()`` coroutine, you're going to initialize a game:
.. code-block:: python
from connect4 import Connect4
async def handler(websocket):
# Initialize a Connect Four game.
game = Connect4()
...
Then, you're going to iterate over incoming messages and take these steps:
* parse an event of type ``"play"``, the only type of event that the user
interface sends;
* play the move in the board with the :meth:`~connect4.Connect4.play` method,
alternating between the two players;
* if :meth:`~connect4.Connect4.play` raises :exc:`ValueError` because the
move is illegal, send an event of type ``"error"``;
* else, send an event of type ``"play"`` to tell the user interface where the
checker lands;
* if the move won the game, send an event of type ``"win"``.
Try to implement this by yourself!
Keep in mind that you must restart the WebSocket server and reload the page in
the browser when you make changes.
When it works, you can play the game from a single browser, with players
taking alternate turns.
.. admonition:: Enable debug logs to see all messages sent and received.
:class: tip
Here's how to enable debug logs:
.. code-block:: python
import logging
logging.basicConfig(
format="%(asctime)s %(message)s",
level=logging.DEBUG,
)
If you're stuck, a solution is available at the bottom of this document.
Summary
-------
In this first part of the tutorial, you learned how to:
* build and run a WebSocket server in Python with :func:`~asyncio.server.serve`;
* receive a message in a connection handler with
:meth:`~asyncio.server.ServerConnection.recv`;
* send a message in a connection handler with
:meth:`~asyncio.server.ServerConnection.send`;
* iterate over incoming messages with ``async for message in websocket: ...``;
* open a WebSocket connection in JavaScript with the ``WebSocket`` API;
* send messages in a browser with ``WebSocket.send()``;
* receive messages in a browser by listening to ``message`` events;
* design a set of events to be exchanged between the browser and the server.
You can now play a Connect Four game in a browser, communicating over a
WebSocket connection with a server where the game logic resides!
However, the two players share a browser, so the constraint of being in the
same room still applies.
Move on to the :doc:`second part <tutorial2>` of the tutorial to break this
constraint and play from separate browsers.
Solution
--------
.. literalinclude:: ../../example/tutorial/step1/app.py
:caption: app.py
:language: python
:linenos:
.. literalinclude:: ../../example/tutorial/step1/index.html
:caption: index.html
:language: html
:linenos:
.. literalinclude:: ../../example/tutorial/step1/main.js
:caption: main.js
:language: js
:linenos:
|