Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add anti-flap mechanism #31

Merged
merged 4 commits into from
Dec 25, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
5 changes: 3 additions & 2 deletions CHANGELOG.md
Original file line number Diff line number Diff line change
Expand Up @@ -4,8 +4,9 @@

### 🚀 New

* [#29](https://github.com/sdss/lvmecp/pull/29) Add a new engineering mode that can be used to bypass the heartbeat and to allow the dome to open during daytime.
* [#30](https://github.com/sdss/lvmecp/pull/30) Prevent the dome from opening during daytime. Close if daytime is detected.
* [#29](https://github.com/sdss/lvmecp/pull/29) Add a new engineering mode that can be used to bypass the heartbeat and to allow the dome to open during daytime. Part of RORR RID-025.
* [#30](https://github.com/sdss/lvmecp/pull/30) Prevent the dome from opening during daytime. Close if daytime is detected. Part of RORR RID-025.
* [#31](https://github.com/sdss/lvmecp/pull/31) Prevent the dome from opening multiple times in a short period of time. RORR RID-019.

### ✨ Improved

Expand Down
4 changes: 2 additions & 2 deletions python/lvmecp/actor/commands/dome.py
Original file line number Diff line number Diff line change
Expand Up @@ -42,7 +42,7 @@
try:
await command.actor.plc.dome.open(force=force)
except DomeError as err:
return command.fail(err)
return command.fail(f"Dome failed to open with error: {err}")

status = command.actor.plc.dome.status
if status and status & DomeStatus.OPEN:
Expand All @@ -61,7 +61,7 @@
try:
await command.actor.plc.dome.close(force=force)
except DomeError as err:
return command.fail(err)
return command.fail(f"Dome failed to close with error: {err}")

Check warning on line 64 in python/lvmecp/actor/commands/dome.py

View check run for this annotation

Codecov / codecov/patch

python/lvmecp/actor/commands/dome.py#L64

Added line #L64 was not covered by tests

status = command.actor.plc.dome.status
if status and status & DomeStatus.CLOSED:
Expand Down
47 changes: 27 additions & 20 deletions python/lvmecp/dome.py
Original file line number Diff line number Diff line change
Expand Up @@ -31,6 +31,9 @@
def __init__(self, *args, **kwargs):
super().__init__(*args, **kwargs)

# Timestamps when we have opened the dome. For the anti-flap mechanism.
self._open_attempt_times: list[float] = []

async def _update_internal(self, use_cache: bool = True, **kwargs):
dome_registers = await self.plc.modbus.read_group("dome", use_cache=use_cache)

Expand Down Expand Up @@ -148,8 +151,10 @@
async def open(self, force: bool = False):
"""Open the dome."""

self._open_attempt_times.append(time())

if not self.is_allowed():
raise DomeError("Dome cannot be opened during daytime.")
raise DomeError("Dome is not allowed to open.")

await self._move(True, force=force)

Expand Down Expand Up @@ -180,32 +185,34 @@
await asyncio.sleep(1)

def is_allowed(self):
"""Returns whether the dome is allowed to move.

Currently the only check performed is to confirm that it is not daytime,
but this method could be expanded in the future.

"""

is_daytime: bool | None
if not config["dome.daytime_allowed"]:
is_daytime = self.is_daytime()
else:
is_daytime = None

if not is_daytime:
return True
"""Returns whether the dome is allowed to move."""

if self.plc._actor and self.plc._actor._engineering_mode:
self.plc._actor.write(
"w",
text="Daytime detected but engineering mode is active. "
"Allowing to open the dome.",
text="Skipping dome tests due to engineering mode.",
)

return True

return False
if not config["dome.daytime_allowed"] and self.is_daytime():
raise DomeError("Dome is not allowed to open during daytime.")

anti_flap_n, anti_flap_interval = config["dome.anti_flap_tolerance"] or [3, 600]

attempts_in_interval: list[float] = []
for tt in self._open_attempt_times[::-1]:
if time() - tt < anti_flap_interval:
attempts_in_interval.append(tt)
else:
break

Check warning on line 207 in python/lvmecp/dome.py

View check run for this annotation

Codecov / codecov/patch

python/lvmecp/dome.py#L207

Added line #L207 was not covered by tests

if len(attempts_in_interval) >= anti_flap_n:
raise DomeError(
"Too many open attempts in a short interval. "
f"Wait {anti_flap_interval} seconds before trying again."
)

return True

def is_daytime(self): # pragma: no cover
"""Returns whether it is daytime."""
Expand Down
1 change: 1 addition & 0 deletions python/lvmecp/etc/lvmecp.yml
Original file line number Diff line number Diff line change
Expand Up @@ -175,6 +175,7 @@ safety:
dome:
daytime_allowed: false
daytime_tolerance: 600
anti_flap_tolerance: [3, 600]

hvac:
host: 10.8.38.49
Expand Down
40 changes: 36 additions & 4 deletions tests/test_command_dome.py
Original file line number Diff line number Diff line change
Expand Up @@ -12,8 +12,11 @@

from typing import TYPE_CHECKING

import pytest

import lvmecp.actor.actor
import lvmecp.dome
from lvmecp.exceptions import DomeError
from lvmecp.maskbits import DomeStatus


Expand Down Expand Up @@ -57,11 +60,16 @@ async def test_command_dome_daytime(actor: ECPActor, mocker: MockerFixture):


async def test_command_dome_daytime_allowed(actor: ECPActor, mocker: MockerFixture):
mocker.patch.object(
lvmecp.dome,
"config",
return_value={"dome": {"daytime_allowed": True}},
mocker.patch.dict(
"lvmecp.dome.config",
{
"dome": {
"daytime_allowed": True,
"anti_flap_tolerance": [3, 600],
}
},
)

mocker.patch.object(actor.plc.dome, "is_daytime", return_value=True)
mocker.patch.object(actor.plc.dome, "_move", return_value=True)

Expand Down Expand Up @@ -113,3 +121,27 @@ async def test_actor_daytime_task_eng_mode(actor: ECPActor, mocker: MockerFixtur
dome_close_mock.assert_not_called()

task.cancel()


async def test_dome_anti_flap(actor: ECPActor, mocker: MockerFixture):
mocker.patch.dict("lvmecp.dome.config", {"dome": {"anti_flap_tolerance": [3, 1]}})

mocker.patch.object(actor.plc.dome, "is_daytime", return_value=False)
mocker.patch.object(actor.plc.dome, "_move", return_value=True)

await actor.plc.dome.open()
await asyncio.sleep(0.1)

await actor.plc.dome.open()
await asyncio.sleep(0.1)

with pytest.raises(DomeError):
await actor.plc.dome.open()
await asyncio.sleep(0.1)


async def test_dome_not_allowed(actor: ECPActor, mocker: MockerFixture):
mocker.patch.object(actor.plc.dome, "is_allowed", return_value=False)

with pytest.raises(DomeError, match="Dome is not allowed to open."):
await actor.plc.dome.open()