Skip to content

Commit b35f155

Browse files
authored
Test server listening on IPv4/IPv6 (#2255)
* Test server listening on IPv4/IPv6 * Set up Docker in create-dev-env * Show docker version * Add info about docker client * Check requests * Show docker client version * Try to pass docker sock * Fix * Break fast * Revert * Cleanup * Better naming * Always use docker.from_env * Revert "Always use docker.from_env" This reverts commit d03069a. * Use custom docker client for only one test * More logs * Use cont_data_dir in test, so workdir doesn't matter * Use common variable names * Move patch to a separate function * Try to use set-host option * Use the same docker client in get_health * Use .api * Rewrite check_listening.py to use one function for both ipv4 and ipv6 * Add links to explain why we need to set up docker manually
1 parent 951dec9 commit b35f155

File tree

6 files changed

+134
-9
lines changed

6 files changed

+134
-9
lines changed

.github/actions/create-dev-env/action.yml

+9
Original file line numberDiff line numberDiff line change
@@ -14,3 +14,12 @@ runs:
1414
pip install --upgrade pip
1515
pip install --upgrade -r requirements-dev.txt
1616
shell: bash
17+
18+
# We need to have a recent docker version
19+
# More info: https://github.com/jupyter/docker-stacks/pull/2255
20+
# Can be removed after Docker Engine is updated
21+
# https://github.com/actions/runner-images/issues/11766
22+
- name: Set Up Docker 🐳
23+
uses: docker/setup-docker-action@b60f85385d03ac8acfca6d9996982511d8620a19 # v4.3.0
24+
with:
25+
set-host: true
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,57 @@
1+
#!/usr/bin/env python
2+
# Copyright (c) Jupyter Development Team.
3+
# Distributed under the terms of the Modified BSD License.
4+
import socket
5+
import time
6+
7+
import requests
8+
9+
10+
def make_get_request() -> None:
11+
# Give some time for server to start
12+
finish_time = time.time() + 10
13+
sleep_time = 1
14+
while time.time() < finish_time:
15+
time.sleep(sleep_time)
16+
try:
17+
resp = requests.get("http://localhost:8888/api")
18+
resp.raise_for_status()
19+
except requests.RequestException:
20+
pass
21+
resp.raise_for_status()
22+
23+
24+
def check_addrs(family: socket.AddressFamily) -> None:
25+
assert family in {socket.AF_INET, socket.AF_INET6}
26+
27+
# https://docs.python.org/3/library/socket.html#socket.getaddrinfo
28+
addrs = {
29+
s[4][0]
30+
for s in socket.getaddrinfo(host=socket.gethostname(), port=None, family=family)
31+
}
32+
loopback_addr = "127.0.0.1" if family == socket.AF_INET else "::1"
33+
addrs.discard(loopback_addr)
34+
35+
assert addrs, f"No external addresses found for family: {family}"
36+
37+
for addr in addrs:
38+
url = (
39+
f"http://{addr}:8888/api"
40+
if family == socket.AF_INET
41+
else f"http://[{addr}]:8888/api"
42+
)
43+
r = requests.get(url)
44+
r.raise_for_status()
45+
assert "version" in r.json()
46+
print(f"Successfully connected to: {url}")
47+
48+
49+
def test_connect() -> None:
50+
make_get_request()
51+
52+
check_addrs(socket.AF_INET)
53+
check_addrs(socket.AF_INET6)
54+
55+
56+
if __name__ == "__main__":
57+
test_connect()

tests/by_image/base-notebook/test_healthcheck.py

+10-5
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@
33
import logging
44
import time
55

6+
import docker
67
import pytest # type: ignore
78

89
from tests.utils.get_container_health import get_health
@@ -13,6 +14,7 @@
1314

1415
def get_healthy_status(
1516
container: TrackedContainer,
17+
docker_client: docker.DockerClient,
1618
env: list[str] | None,
1719
cmd: list[str] | None,
1820
user: str | None,
@@ -30,11 +32,11 @@ def get_healthy_status(
3032
while time.time() < finish_time:
3133
time.sleep(sleep_time)
3234

33-
status = get_health(running_container)
35+
status = get_health(running_container, docker_client)
3436
if status == "healthy":
3537
return status
3638

37-
return get_health(running_container)
39+
return get_health(running_container, docker_client)
3840

3941

4042
@pytest.mark.parametrize(
@@ -82,11 +84,12 @@ def get_healthy_status(
8284
)
8385
def test_healthy(
8486
container: TrackedContainer,
87+
docker_client: docker.DockerClient,
8588
env: list[str] | None,
8689
cmd: list[str] | None,
8790
user: str | None,
8891
) -> None:
89-
assert get_healthy_status(container, env, cmd, user) == "healthy"
92+
assert get_healthy_status(container, docker_client, env, cmd, user) == "healthy"
9093

9194

9295
@pytest.mark.parametrize(
@@ -115,11 +118,12 @@ def test_healthy(
115118
)
116119
def test_healthy_with_proxy(
117120
container: TrackedContainer,
121+
docker_client: docker.DockerClient,
118122
env: list[str] | None,
119123
cmd: list[str] | None,
120124
user: str | None,
121125
) -> None:
122-
assert get_healthy_status(container, env, cmd, user) == "healthy"
126+
assert get_healthy_status(container, docker_client, env, cmd, user) == "healthy"
123127

124128

125129
@pytest.mark.parametrize(
@@ -138,9 +142,10 @@ def test_healthy_with_proxy(
138142
)
139143
def test_not_healthy(
140144
container: TrackedContainer,
145+
docker_client: docker.DockerClient,
141146
env: list[str] | None,
142147
cmd: list[str] | None,
143148
) -> None:
144149
assert (
145-
get_healthy_status(container, env, cmd, user=None) != "healthy"
150+
get_healthy_status(container, docker_client, env, cmd, user=None) != "healthy"
146151
), "Container should not be healthy for this testcase"
+50
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,50 @@
1+
# Copyright (c) Jupyter Development Team.
2+
# Distributed under the terms of the Modified BSD License.
3+
import logging
4+
from collections.abc import Generator
5+
from pathlib import Path
6+
from random import randint
7+
8+
import docker
9+
import pytest # type: ignore
10+
11+
from tests.utils.tracked_container import TrackedContainer
12+
13+
LOGGER = logging.getLogger(__name__)
14+
THIS_DIR = Path(__file__).parent.resolve()
15+
16+
17+
@pytest.fixture(scope="session")
18+
def ipv6_network(docker_client: docker.DockerClient) -> Generator[str, None, None]:
19+
"""Create a dual-stack IPv6 docker network"""
20+
# Doesn't have to be routable since we're testing inside the container
21+
subnet64 = "fc00:" + ":".join(hex(randint(0, 2**16))[2:] for _ in range(3))
22+
name = subnet64.replace(":", "-")
23+
docker_client.networks.create(
24+
name,
25+
ipam=docker.types.IPAMPool(
26+
subnet=subnet64 + "::/64",
27+
gateway=subnet64 + "::1",
28+
),
29+
enable_ipv6=True,
30+
internal=True,
31+
)
32+
yield name
33+
docker_client.networks.get(name).remove()
34+
35+
36+
def test_ipv46(container: TrackedContainer, ipv6_network: str) -> None:
37+
"""Check server is listening on the expected IP families"""
38+
host_data_dir = THIS_DIR / "data"
39+
cont_data_dir = "/home/jovyan/data"
40+
LOGGER.info("Testing that server is listening on IPv4 and IPv6 ...")
41+
running_container = container.run_detached(
42+
network=ipv6_network,
43+
volumes={str(host_data_dir): {"bind": cont_data_dir, "mode": "ro,z"}},
44+
tty=True,
45+
)
46+
47+
command = ["python", f"{cont_data_dir}/check_listening.py"]
48+
exec_result = running_container.exec_run(command)
49+
LOGGER.info(exec_result.output.decode())
50+
assert exec_result.exit_code == 0

tests/conftest.py

+6-1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
# Copyright (c) Jupyter Development Team.
22
# Distributed under the terms of the Modified BSD License.
3+
import logging
34
import os
45
from collections.abc import Generator
56

@@ -11,6 +12,8 @@
1112

1213
from tests.utils.tracked_container import TrackedContainer
1314

15+
LOGGER = logging.getLogger(__name__)
16+
1417

1518
@pytest.fixture(scope="session")
1619
def http_client() -> requests.Session:
@@ -25,7 +28,9 @@ def http_client() -> requests.Session:
2528
@pytest.fixture(scope="session")
2629
def docker_client() -> docker.DockerClient:
2730
"""Docker client configured based on the host environment"""
28-
return docker.from_env()
31+
client = docker.from_env()
32+
LOGGER.info(f"Docker client created: {client.version()}")
33+
return client
2934

3035

3136
@pytest.fixture(scope="session")

tests/utils/get_container_health.py

+2-3
Original file line numberDiff line numberDiff line change
@@ -4,7 +4,6 @@
44
from docker.models.containers import Container
55

66

7-
def get_health(container: Container) -> str:
8-
api_client = docker.APIClient()
9-
inspect_results = api_client.inspect_container(container.name)
7+
def get_health(container: Container, client: docker.DockerClient) -> str:
8+
inspect_results = client.api.inspect_container(container.name)
109
return inspect_results["State"]["Health"]["Status"] # type: ignore

0 commit comments

Comments
 (0)