From 8f63e850274bdeb902d655bfc556bc2070e0b438 Mon Sep 17 00:00:00 2001 From: "copilot-swe-agent[bot]" <198982749+Copilot@users.noreply.github.com> Date: Thu, 16 Oct 2025 17:55:24 +0000 Subject: [PATCH 1/7] Initial plan From e966c8b5b5119e4fe26ce92ff39770a83be707f1 Mon Sep 17 00:00:00 2001 From: "copilot-swe-agent[bot]" <198982749+Copilot@users.noreply.github.com> Date: Thu, 16 Oct 2025 18:02:46 +0000 Subject: [PATCH 2/7] Implement allow_reconnect() method for Session classes Co-authored-by: schloerke <93231+schloerke@users.noreply.github.com> --- CHANGELOG.md | 6 + shiny/session/_session.py | 24 +++ tests/pytest/test_session_allow_reconnect.py | 157 +++++++++++++++++++ 3 files changed, 187 insertions(+) create mode 100644 tests/pytest/test_session_allow_reconnect.py diff --git a/CHANGELOG.md b/CHANGELOG.md index 25444d59d..64171a2d7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,6 +5,12 @@ All notable changes to Shiny for Python will be documented in this file. The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/), and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). +## [UNRELEASED] + +### New features + +* Added `session.allow_reconnect()` method to enable or disable client reconnection behavior after disconnection, similar to Shiny for R's `session$allowReconnect()`. + ## [1.5.0] - 2025-09-11 ### New features diff --git a/shiny/session/_session.py b/shiny/session/_session.py index f13a970b3..c4d43b3dc 100644 --- a/shiny/session/_session.py +++ b/shiny/session/_session.py @@ -492,6 +492,22 @@ def _increment_busy_count(self) -> None: ... @abstractmethod def _decrement_busy_count(self) -> None: ... + @abstractmethod + def allow_reconnect(self, value: Literal[True, False, "force"]) -> None: + """ + Allow or disallow reconnection of the session. + + Parameters + ---------- + value + One of the following: + - `True`: Allow the client to reconnect to the session after a + disconnection. + - `False`: Do not allow the client to reconnect to the session. + - `"force"`: Force the client to reconnect, even if it was originally + configured not to reconnect. + """ + # ====================================================================================== # AppSession @@ -1085,6 +1101,11 @@ def _decrement_busy_count(self) -> None: if self._busy_count == 0: self._send_message_sync({"busy": "idle"}) + def allow_reconnect(self, value: Literal[True, False, "force"]) -> None: + if value not in (True, False, "force"): + raise ValueError('value must be True, False, or "force"') + self._send_message_sync({"allowReconnect": value}) + # ========================================================================== # On session ended # ========================================================================== @@ -1273,6 +1294,9 @@ def _increment_busy_count(self) -> None: def _decrement_busy_count(self) -> None: self._root_session._decrement_busy_count() + def allow_reconnect(self, value: Literal[True, False, "force"]) -> None: + self._root_session.allow_reconnect(value) + def set_message_handler( self, name: str, diff --git a/tests/pytest/test_session_allow_reconnect.py b/tests/pytest/test_session_allow_reconnect.py new file mode 100644 index 000000000..dc2414930 --- /dev/null +++ b/tests/pytest/test_session_allow_reconnect.py @@ -0,0 +1,157 @@ +"""Tests for Session.allow_reconnect() method.""" + +from __future__ import annotations + +import asyncio +import json + +import pytest + +from shiny import App, Inputs, Outputs, Session, ui +from shiny._connection import MockConnection + + +@pytest.mark.asyncio +async def test_allow_reconnect_true(): + """Test that allow_reconnect(True) sends the correct message.""" + messages: list[str] = [] + + def server(input: Inputs, output: Outputs, session: Session): + session.allow_reconnect(True) + + conn = MockConnection() + # Capture all messages sent by the session + original_send = conn.send + + async def capture_send(message: str): + messages.append(message) + await original_send(message) + + conn.send = capture_send + + sess = App(ui.TagList(), server)._create_session(conn) + + async def mock_client(): + conn.cause_receive('{"method":"init","data":{}}') + await asyncio.sleep(0.1) # Give time for the server to process + conn.cause_disconnect() + + await asyncio.gather(mock_client(), sess._run()) + + # Check that allowReconnect message was sent + reconnect_messages = [ + msg for msg in messages if "allowReconnect" in msg and msg != "{}" + ] + assert len(reconnect_messages) > 0, "No allowReconnect message found" + + # Verify the message content + for msg in reconnect_messages: + parsed = json.loads(msg) + if "allowReconnect" in parsed: + assert parsed["allowReconnect"] is True + break + else: + pytest.fail("allowReconnect message not found in sent messages") + + +@pytest.mark.asyncio +async def test_allow_reconnect_false(): + """Test that allow_reconnect(False) sends the correct message.""" + messages: list[str] = [] + + def server(input: Inputs, output: Outputs, session: Session): + session.allow_reconnect(False) + + conn = MockConnection() + original_send = conn.send + + async def capture_send(message: str): + messages.append(message) + await original_send(message) + + conn.send = capture_send + + sess = App(ui.TagList(), server)._create_session(conn) + + async def mock_client(): + conn.cause_receive('{"method":"init","data":{}}') + await asyncio.sleep(0.1) + conn.cause_disconnect() + + await asyncio.gather(mock_client(), sess._run()) + + # Check that allowReconnect message was sent with False + reconnect_messages = [ + msg for msg in messages if "allowReconnect" in msg and msg != "{}" + ] + assert len(reconnect_messages) > 0, "No allowReconnect message found" + + for msg in reconnect_messages: + parsed = json.loads(msg) + if "allowReconnect" in parsed: + assert parsed["allowReconnect"] is False + break + else: + pytest.fail("allowReconnect message not found in sent messages") + + +@pytest.mark.asyncio +async def test_allow_reconnect_force(): + """Test that allow_reconnect('force') sends the correct message.""" + messages: list[str] = [] + + def server(input: Inputs, output: Outputs, session: Session): + session.allow_reconnect("force") + + conn = MockConnection() + original_send = conn.send + + async def capture_send(message: str): + messages.append(message) + await original_send(message) + + conn.send = capture_send + + sess = App(ui.TagList(), server)._create_session(conn) + + async def mock_client(): + conn.cause_receive('{"method":"init","data":{}}') + await asyncio.sleep(0.1) + conn.cause_disconnect() + + await asyncio.gather(mock_client(), sess._run()) + + # Check that allowReconnect message was sent with "force" + reconnect_messages = [ + msg for msg in messages if "allowReconnect" in msg and msg != "{}" + ] + assert len(reconnect_messages) > 0, "No allowReconnect message found" + + for msg in reconnect_messages: + parsed = json.loads(msg) + if "allowReconnect" in parsed: + assert parsed["allowReconnect"] == "force" + break + else: + pytest.fail("allowReconnect message not found in sent messages") + + +def test_allow_reconnect_invalid_value(): + """Test that allow_reconnect raises ValueError for invalid values.""" + from shiny._connection import MockConnection + from shiny.session._session import AppSession + + conn = MockConnection() + sess = AppSession( + app=App(ui.TagList(), lambda i, o, s: None), id="test", conn=conn + ) + + # Test invalid values + with pytest.raises(ValueError, match='value must be True, False, or "force"'): + sess.allow_reconnect("invalid") # type: ignore + + with pytest.raises(ValueError, match='value must be True, False, or "force"'): + sess.allow_reconnect(None) # type: ignore + + with pytest.raises(ValueError, match='value must be True, False, or "force"'): + sess.allow_reconnect(1) # type: ignore From 85629f7853701dc7b012485abd8fcb8c30de237b Mon Sep 17 00:00:00 2001 From: "copilot-swe-agent[bot]" <198982749+Copilot@users.noreply.github.com> Date: Thu, 16 Oct 2025 18:05:15 +0000 Subject: [PATCH 3/7] Add API examples and documentation for allow_reconnect Co-authored-by: schloerke <93231+schloerke@users.noreply.github.com> --- .../session_allow_reconnect/app-core.py | 50 +++++++++++++++++++ .../session_allow_reconnect/app-express.py | 45 +++++++++++++++++ shiny/session/_session.py | 1 + 3 files changed, 96 insertions(+) create mode 100644 shiny/api-examples/session_allow_reconnect/app-core.py create mode 100644 shiny/api-examples/session_allow_reconnect/app-express.py diff --git a/shiny/api-examples/session_allow_reconnect/app-core.py b/shiny/api-examples/session_allow_reconnect/app-core.py new file mode 100644 index 000000000..9d32c301a --- /dev/null +++ b/shiny/api-examples/session_allow_reconnect/app-core.py @@ -0,0 +1,50 @@ +from shiny import App, Inputs, Outputs, Session, reactive, render, ui + +app_ui = ui.page_fluid( + ui.h2("Session Reconnection Control"), + ui.p( + """ + This example demonstrates the session.allow_reconnect() method. + Click a button to set the reconnection behavior, then you can test it + by simulating a disconnect (e.g., close the browser tab and reopen it, + or use browser developer tools to close the WebSocket connection). + """ + ), + ui.layout_columns( + ui.input_action_button("allow_true", "Allow Reconnect"), + ui.input_action_button("allow_false", "Disallow Reconnect"), + ui.input_action_button("allow_force", "Force Reconnect"), + col_widths=[4, 4, 4], + ), + ui.output_text("status"), +) + + +def server(input: Inputs, output: Outputs, session: Session): + status = reactive.Value("Reconnection not configured yet") + + @reactive.effect + @reactive.event(input.allow_true) + def _(): + session.allow_reconnect(True) + status.set("✓ Reconnection allowed (True)") + + @reactive.effect + @reactive.event(input.allow_false) + def _(): + session.allow_reconnect(False) + status.set("✗ Reconnection disallowed (False)") + + @reactive.effect + @reactive.event(input.allow_force) + def _(): + session.allow_reconnect("force") + status.set("⚡ Reconnection forced") + + @output + @render.text + def status(): + return status.get() + + +app = App(app_ui, server) diff --git a/shiny/api-examples/session_allow_reconnect/app-express.py b/shiny/api-examples/session_allow_reconnect/app-express.py new file mode 100644 index 000000000..2ee30a232 --- /dev/null +++ b/shiny/api-examples/session_allow_reconnect/app-express.py @@ -0,0 +1,45 @@ +from shiny import reactive, render +from shiny.express import input, session, ui + +ui.h2("Session Reconnection Control") +ui.p( + """ + This example demonstrates the session.allow_reconnect() method. + Click a button to set the reconnection behavior, then you can test it + by simulating a disconnect (e.g., close the browser tab and reopen it, + or use browser developer tools to close the WebSocket connection). + """ +) + +with ui.layout_columns(col_widths=[4, 4, 4]): + ui.input_action_button("allow_true", "Allow Reconnect") + ui.input_action_button("allow_false", "Disallow Reconnect") + ui.input_action_button("allow_force", "Force Reconnect") + +status = reactive.Value("Reconnection not configured yet") + + +@reactive.effect +@reactive.event(input.allow_true) +def _(): + session.allow_reconnect(True) + status.set("✓ Reconnection allowed (True)") + + +@reactive.effect +@reactive.event(input.allow_false) +def _(): + session.allow_reconnect(False) + status.set("✗ Reconnection disallowed (False)") + + +@reactive.effect +@reactive.event(input.allow_force) +def _(): + session.allow_reconnect("force") + status.set("⚡ Reconnection forced") + + +@render.text +def status_output(): + return status.get() diff --git a/shiny/session/_session.py b/shiny/session/_session.py index c4d43b3dc..651e78ca7 100644 --- a/shiny/session/_session.py +++ b/shiny/session/_session.py @@ -492,6 +492,7 @@ def _increment_busy_count(self) -> None: ... @abstractmethod def _decrement_busy_count(self) -> None: ... + @add_example("session_allow_reconnect") @abstractmethod def allow_reconnect(self, value: Literal[True, False, "force"]) -> None: """ From 7ef73d228fac9fbbd18faf50833a323c21133e44 Mon Sep 17 00:00:00 2001 From: "copilot-swe-agent[bot]" <198982749+Copilot@users.noreply.github.com> Date: Thu, 16 Oct 2025 18:11:20 +0000 Subject: [PATCH 4/7] Add comprehensive documentation to allow_reconnect method Co-authored-by: schloerke <93231+schloerke@users.noreply.github.com> --- shiny/session/_session.py | 24 ++++++++++++++++++++---- 1 file changed, 20 insertions(+), 4 deletions(-) diff --git a/shiny/session/_session.py b/shiny/session/_session.py index 651e78ca7..bf35b272b 100644 --- a/shiny/session/_session.py +++ b/shiny/session/_session.py @@ -498,15 +498,31 @@ def allow_reconnect(self, value: Literal[True, False, "force"]) -> None: """ Allow or disallow reconnection of the session. + If `value` is `True` and the app is run in a hosting environment (such as + Posit Connect or Shiny Server) with reconnections enabled, then when the + session ends due to the network connection closing, the client will attempt + to reconnect to the server. If a reconnection is successful, the browser + will send all the current input values to the new session on the server, and + the server will recalculate any outputs and send them back to the client. + + If `value` is `False`, reconnections will be disabled (this is the default + state). + + If `value` is `"force"`, then the client browser will always attempt to + reconnect. The only reason to use `"force"` is for testing on a local + connection (without Shiny Server or Connect). + Parameters ---------- value One of the following: + - `True`: Allow the client to reconnect to the session after a - disconnection. - - `False`: Do not allow the client to reconnect to the session. - - `"force"`: Force the client to reconnect, even if it was originally - configured not to reconnect. + disconnection (only if running in a hosting environment with + reconnections enabled). + - `False`: Do not allow the client to reconnect to the session (default). + - `"force"`: Force the client to always attempt to reconnect, even on + local connections. This is primarily useful for testing purposes. """ From e13406840db1355a5ac56b4773934f6ef2f2dcf1 Mon Sep 17 00:00:00 2001 From: "copilot-swe-agent[bot]" <198982749+Copilot@users.noreply.github.com> Date: Thu, 16 Oct 2025 18:34:58 +0000 Subject: [PATCH 5/7] Add allow_reconnect stub method to ExpressStubSession Co-authored-by: schloerke <93231+schloerke@users.noreply.github.com> --- shiny/express/_stub_session.py | 3 +++ 1 file changed, 3 insertions(+) diff --git a/shiny/express/_stub_session.py b/shiny/express/_stub_session.py index 1dfadd2ad..5d7a17f44 100644 --- a/shiny/express/_stub_session.py +++ b/shiny/express/_stub_session.py @@ -114,6 +114,9 @@ def _increment_busy_count(self) -> None: def _decrement_busy_count(self) -> None: return + def allow_reconnect(self, value: Literal[True, False, "force"]) -> None: + return + def on_flush( self, fn: Callable[[], None] | Callable[[], Awaitable[None]], From 6042768dffe7f6cd887eca01e778e09fcd05d116 Mon Sep 17 00:00:00 2001 From: Barret Schloerke Date: Thu, 16 Oct 2025 14:36:49 -0400 Subject: [PATCH 6/7] Apply suggestion from @schloerke --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 64171a2d7..9f82f0155 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -9,7 +9,7 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 ### New features -* Added `session.allow_reconnect()` method to enable or disable client reconnection behavior after disconnection, similar to Shiny for R's `session$allowReconnect()`. +* Added `session.allow_reconnect()` method to enable, disable, or _force_ client reconnection behavior after disconnection. (#2102) ## [1.5.0] - 2025-09-11 From 2e8d4e979c84bb7369b522387633bda8742b8ce5 Mon Sep 17 00:00:00 2001 From: "copilot-swe-agent[bot]" <198982749+Copilot@users.noreply.github.com> Date: Thu, 16 Oct 2025 18:42:23 +0000 Subject: [PATCH 7/7] Fix trailing whitespace in example files Co-authored-by: schloerke <93231+schloerke@users.noreply.github.com> --- shiny/api-examples/session_allow_reconnect/app-core.py | 6 +++--- shiny/api-examples/session_allow_reconnect/app-express.py | 6 +++--- 2 files changed, 6 insertions(+), 6 deletions(-) diff --git a/shiny/api-examples/session_allow_reconnect/app-core.py b/shiny/api-examples/session_allow_reconnect/app-core.py index 9d32c301a..1866ff88e 100644 --- a/shiny/api-examples/session_allow_reconnect/app-core.py +++ b/shiny/api-examples/session_allow_reconnect/app-core.py @@ -4,9 +4,9 @@ ui.h2("Session Reconnection Control"), ui.p( """ - This example demonstrates the session.allow_reconnect() method. - Click a button to set the reconnection behavior, then you can test it - by simulating a disconnect (e.g., close the browser tab and reopen it, + This example demonstrates the session.allow_reconnect() method. + Click a button to set the reconnection behavior, then you can test it + by simulating a disconnect (e.g., close the browser tab and reopen it, or use browser developer tools to close the WebSocket connection). """ ), diff --git a/shiny/api-examples/session_allow_reconnect/app-express.py b/shiny/api-examples/session_allow_reconnect/app-express.py index 2ee30a232..f89e32b51 100644 --- a/shiny/api-examples/session_allow_reconnect/app-express.py +++ b/shiny/api-examples/session_allow_reconnect/app-express.py @@ -4,9 +4,9 @@ ui.h2("Session Reconnection Control") ui.p( """ - This example demonstrates the session.allow_reconnect() method. - Click a button to set the reconnection behavior, then you can test it - by simulating a disconnect (e.g., close the browser tab and reopen it, + This example demonstrates the session.allow_reconnect() method. + Click a button to set the reconnection behavior, then you can test it + by simulating a disconnect (e.g., close the browser tab and reopen it, or use browser developer tools to close the WebSocket connection). """ )