Skip to content

Commit 85a8fc9

Browse files
refactor(robot-server): Type-check robot_server/service/* (#17810)
## Overview Various type-checking fixes pulled out of EXEC-1342. ## Test Plan and Hands on Testing * [x] `PATCH /settings/pipettes/:id` still works * [x] `POST /robot/move` still works, particularly with `"target": "mount"`, and raises an error if z<30. * [x] `POST /robot/home` still works, particularly with `"target": "pipette"`, and raises an error if you do not specify `"mount"` in that case. * [x] `POST /settings/log_level/local` still works. * [x] `GET /wifi/keys` and `POST /wifi/keys` still work. ## Changelog Mostly adding obvious return type annotations. But there are some behavioral changes in here, around Pydantic validators and FastAPI endpoint functions, because it seemed just as easy to fix them as to annotate them with `#type: ignore`s. See the individual commit messages in the PR for details. ## Risk assessment Medium. We need to be careful about the Pydantic validators and FastAPI endpoint functions.
1 parent 2b222ee commit 85a8fc9

26 files changed

+123
-182
lines changed

robot-server/.flake8

+1-4
Original file line numberDiff line numberDiff line change
@@ -25,16 +25,13 @@ noqa-require-code = true
2525
# string lints in these modules; remove entries as they are fixed
2626
per-file-ignores =
2727
setup.py:ANN,D
28-
robot_server/dependencies.py:ANN,D
29-
robot_server/util.py:ANN,D
3028
robot_server/settings.py:ANN,D
3129
robot_server/robot/*:D
32-
robot_server/service/*:ANN,D
30+
robot_server/service/*:D
3331
tests/integration/*:ANN,D
3432
tests/robot/*:ANN,D
3533
tests/service/*:ANN,D
3634
tests/conftest.py:ANN,D
37-
tests/test_util.py:ANN,D
3835

3936
# Ignore Python Protocol API files that are used as opaque test input.
4037
extend-exclude =

robot-server/mypy.ini

-28
Original file line numberDiff line numberDiff line change
@@ -29,37 +29,9 @@ warn_untyped_fields = True
2929
# TODO(mc, 2021-09-08): fix and remove any / all of the
3030
# overrides below whenever able
3131

32-
[mypy-robot_server.service.labware.*]
33-
disallow_untyped_defs = False
34-
disallow_incomplete_defs = False
35-
36-
[mypy-robot_server.service.legacy.*]
37-
disallow_untyped_defs = False
38-
disallow_untyped_calls = False
39-
disallow_incomplete_defs = False
40-
41-
[mypy-robot_server.service.notifications.*]
42-
disallow_untyped_defs = False
43-
disallow_incomplete_defs = False
44-
45-
[mypy-robot_server.service.pipette_offset.*]
46-
disallow_untyped_defs = False
47-
disallow_incomplete_defs = False
48-
4932
[mypy-robot_server.service.session.*]
50-
disallow_untyped_defs = False
51-
disallow_untyped_calls = False
52-
disallow_incomplete_defs = False
5333
no_implicit_reexport = False
5434

55-
[mypy-robot_server.service.tip_length.*]
56-
disallow_untyped_defs = False
57-
disallow_incomplete_defs = False
58-
59-
[mypy-robot_server.service.errors]
60-
disallow_untyped_defs = False
61-
disallow_incomplete_defs = False
62-
6335
[mypy-tests.service.json_api.*]
6436
disallow_any_generics = False
6537
disallow_untyped_defs = False

robot-server/robot_server/service/errors.py

+4-4
Original file line numberDiff line numberDiff line change
@@ -29,7 +29,7 @@ class ErrorDef(ErrorCreateDef, Enum):
2929
"""An enumeration of ErrorCreateDef Error definitions for use by
3030
RobotServerError"""
3131

32-
def __init__(self, e) -> None:
32+
def __init__(self, e: Any) -> None:
3333
super().__init__(**(asdict(e)))
3434

3535

@@ -48,9 +48,9 @@ def __init__(
4848
source: Optional[ErrorSource] = None,
4949
meta: Optional[Dict[str, Any]] = None,
5050
wrapping: Optional[Sequence[BaseException]] = None,
51-
*fmt_args,
52-
**fmt_kw_args
53-
):
51+
*fmt_args: object,
52+
**fmt_kw_args: object
53+
) -> None:
5454
"""
5555
Constructor.
5656

robot-server/robot_server/service/legacy/models/control.py

+13-12
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
import typing
22
from functools import partial
33
from enum import Enum
4+
from typing_extensions import Self
45

56
from opentrons import types
67
from pydantic import model_validator, ConfigDict, BaseModel, Field
@@ -95,19 +96,20 @@ class RobotMoveTarget(BaseModel):
9596
"if target is pipette",
9697
)
9798

98-
@model_validator(mode="before")
99-
@classmethod
100-
def root_validator(cls, values):
101-
points = values.get("point", [])
102-
target = values.get("target")
103-
if target == MotionTarget.mount and len(points) == 3 and points[2] < 30:
99+
@model_validator(mode="after")
100+
def root_validator(self) -> Self:
101+
if (
102+
self.target == MotionTarget.mount
103+
and len(self.point) == 3
104+
and self.point[2] < 30
105+
):
104106
raise ValueError(
105107
"Sending a mount to a z position lower than 30 "
106108
"can cause a collision with the deck or reach the"
107109
" end of the Z axis movement screw. Z values for"
108110
" mount movement must be >= 30"
109111
)
110-
return values
112+
return self
111113

112114
model_config = ConfigDict(
113115
json_schema_extra={
@@ -143,13 +145,12 @@ class RobotHomeTarget(BaseModel):
143145
" in that case)",
144146
)
145147

146-
@model_validator(mode="before")
147-
@classmethod
148-
def root_validate(cls, values):
148+
@model_validator(mode="after")
149+
def root_validate(self) -> Self:
149150
# Make sure that mount is present if target is pipette
150-
if values.get("target") == HomeTarget.pipette.value and not values.get("mount"):
151+
if self.target == HomeTarget.pipette.value and not self.mount:
151152
raise ValueError("mount must be specified if target is pipette")
152-
return values
153+
return self
153154

154155
model_config = ConfigDict(
155156
json_schema_extra={

robot-server/robot_server/service/legacy/models/motors.py

+4-2
Original file line numberDiff line numberDiff line change
@@ -51,5 +51,7 @@ class Axes(BaseModel):
5151

5252
@field_validator("axes", mode="before")
5353
@classmethod
54-
def lower_case_motor_name(cls, v):
55-
return [m.lower() for m in v]
54+
def lower_case_motor_name(cls, v: object) -> object:
55+
# type ignore to preserve prior behavior, but I think this is actually
56+
# type-unsafe -- I think we need to account for v not being a list[str].
57+
return [m.lower() for m in v] # type: ignore[attr-defined]

robot-server/robot_server/service/legacy/models/networking.py

+8-2
Original file line numberDiff line numberDiff line change
@@ -172,7 +172,9 @@ class WifiConfiguration(BaseModel):
172172

173173
@field_validator("eapConfig")
174174
@classmethod
175-
def eap_config_validate(cls, v):
175+
def eap_config_validate(
176+
cls, v: typing.Optional[typing.Dict[str, str]]
177+
) -> typing.Optional[typing.Dict[str, str]]:
176178
"""Custom validator for the eapConfig field"""
177179
if v is not None:
178180
if not v.get("eapType"):
@@ -186,7 +188,11 @@ def eap_config_validate(cls, v):
186188

187189
@model_validator(mode="before")
188190
@classmethod
189-
def validate_configuration(cls, values):
191+
def validate_configuration(
192+
cls,
193+
# todo(mm, 2025-03-18): I think values can actually be other types, like str or bool.
194+
values: typing.Dict[str, object],
195+
) -> typing.Dict[str, object]:
190196
"""Validate the configuration"""
191197
security_type = values.get("securityType")
192198
psk = values.get("psk")

robot-server/robot_server/service/legacy/models/settings.py

+31-19
Original file line numberDiff line numberDiff line change
@@ -76,7 +76,7 @@ class LogLevels(str, Enum):
7676

7777
"""Valid log levels"""
7878

79-
def __new__(cls, value, level):
79+
def __new__(cls, value: str, level: int) -> "LogLevels":
8080
# https://docs.python.org/3/library/enum.html#when-to-use-new-vs-init
8181
obj = str.__new__(cls, value)
8282
obj._value_ = value
@@ -89,7 +89,7 @@ def __new__(cls, value, level):
8989
error = ("error", logging.ERROR)
9090

9191
@property
92-
def level_id(self):
92+
def level_id(self) -> int:
9393
"""The log level id as defined in logging lib"""
9494
return self._level_id
9595

@@ -101,8 +101,17 @@ class LogLevel(BaseModel):
101101

102102
@field_validator("log_level", mode="before")
103103
@classmethod
104-
def lower_case_log_keys(cls, value):
105-
return value if value is None else LogLevels(value.lower(), None)
104+
def lower_case_log_keys(cls, value: object) -> object:
105+
if value is None:
106+
return value
107+
else:
108+
# This `type: ignore[call-arg]` is because mypy thinks there needs to be
109+
# a second arg here for the int level, but there does not.
110+
return LogLevels( # type: ignore[call-arg]
111+
# todo(mm, 2025-03-18): We probably do actually need to check that
112+
# the value is a str before calling .lower() on it.
113+
value.lower(), # type: ignore[attr-defined]
114+
)
106115

107116

108117
class FactoryResetOption(BaseModel):
@@ -209,21 +218,24 @@ class PipetteSettingsUpdate(BaseModel):
209218

210219
@field_validator("setting_fields")
211220
@classmethod
212-
def validate_fields(cls, v):
221+
def validate_fields(
222+
cls, v: Optional[Dict[str, Optional[PipetteUpdateField]]]
223+
) -> Optional[Dict[str, Optional[PipetteUpdateField]]]:
213224
"""A validator to ensure that values for mutable configs are
214225
floats and booleans for quirks."""
215-
for key, value in v.items():
216-
if value is None:
217-
pass
218-
elif key in model_constants.MUTABLE_CONFIGS_V1:
219-
if value.value is not None:
220-
# Must be a float for overriding a config field
221-
value.value = float(value.value)
222-
elif key in model_constants.VALID_QUIRKS:
223-
if not isinstance(value.value, bool):
224-
raise ValueError(
225-
f"{key} quirk value must " f"be a boolean. Got {value.value}"
226-
)
227-
else:
228-
raise ValueError(f"{key} is not a valid field or quirk name")
226+
if v is not None:
227+
for key, value in v.items():
228+
if value is None:
229+
pass
230+
elif key in model_constants.MUTABLE_CONFIGS_V1:
231+
if value.value is not None:
232+
# Must be a float for overriding a config field
233+
value.value = float(value.value)
234+
elif key in model_constants.VALID_QUIRKS:
235+
if not isinstance(value.value, bool):
236+
raise ValueError(
237+
f"{key} quirk value must be a boolean. Got {value.value}"
238+
)
239+
else:
240+
raise ValueError(f"{key} is not a valid field or quirk name")
229241
return v

robot-server/robot_server/service/legacy/routers/control.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -170,7 +170,7 @@ async def post_robot_light_state(
170170

171171
async def _do_move(
172172
hardware: HardwareControlAPI, robot_move_target: control.RobotMoveTarget
173-
):
173+
) -> Point:
174174
"""Perform the move"""
175175

176176
await hardware.cache_instruments()

robot-server/robot_server/service/legacy/routers/networking.py

+14-15
Original file line numberDiff line numberDiff line change
@@ -6,7 +6,7 @@
66

77
from starlette import status
88
from starlette.responses import JSONResponse
9-
from fastapi import APIRouter, HTTPException, File, Path, UploadFile, Query
9+
from fastapi import APIRouter, HTTPException, File, Path, UploadFile, Query, Response
1010

1111
from opentrons_shared_data.errors import ErrorCodes
1212
from opentrons.system import nmcli, wifi
@@ -151,7 +151,7 @@ async def post_wifi_configure(
151151
response_model=WifiKeyFiles,
152152
response_model_by_alias=True,
153153
)
154-
async def get_wifi_keys():
154+
async def get_wifi_keys() -> WifiKeyFiles:
155155
keys = [
156156
WifiKeyFile(
157157
uri=f"/wifi/keys/{key.directory}",
@@ -160,12 +160,7 @@ async def get_wifi_keys():
160160
)
161161
for key in wifi.list_keys()
162162
]
163-
# Why not create a WifiKeyFiles? Because validation fails when there's a
164-
# pydantic model with attribute named keys. Deep in the guts of pydantic
165-
# there's a call to `dict(model)` which raises an exception because `keys`
166-
# is not callable, like the `keys` member of dict.
167-
# A problem for another time.
168-
return {"keys": keys}
163+
return WifiKeyFiles(keys=keys)
169164

170165

171166
@router.post(
@@ -180,7 +175,10 @@ async def get_wifi_keys():
180175
status_code=status.HTTP_201_CREATED,
181176
response_model_exclude_unset=True,
182177
)
183-
async def post_wifi_key(key: UploadFile = File(...)):
178+
async def post_wifi_key(
179+
response: Response,
180+
key: UploadFile = File(...),
181+
) -> AddWifiKeyFileResponse:
184182
key_name = key.filename
185183
if not key_name:
186184
raise LegacyErrorResponse(
@@ -189,17 +187,18 @@ async def post_wifi_key(key: UploadFile = File(...)):
189187

190188
add_key_result = wifi.add_key(key_name, key.file.read())
191189

192-
response = AddWifiKeyFileResponse(
190+
response_body = AddWifiKeyFileResponse(
193191
uri=f"/wifi/keys/{add_key_result.key.directory}",
194192
id=add_key_result.key.directory,
195193
name=os.path.basename(add_key_result.key.file),
196194
)
197195
if add_key_result.created:
198-
return response
196+
response.status_code = status.HTTP_201_CREATED
197+
return response_body
199198
else:
200-
# We return a JSONResponse because we want the 200 status code.
201-
response.message = "Key file already present"
202-
return JSONResponse(content=response.model_dump())
199+
response.status_code = status.HTTP_200_OK
200+
response_body.message = "Key file already present"
201+
return response_body
203202

204203

205204
@router.delete(
@@ -269,7 +268,7 @@ async def get_eap_options() -> EapOptions:
269268
responses={status.HTTP_200_OK: {"model": V1BasicResponse}},
270269
status_code=status.HTTP_207_MULTI_STATUS,
271270
)
272-
async def post_wifi_disconnect(wifi_ssid: WifiNetwork):
271+
async def post_wifi_disconnect(wifi_ssid: WifiNetwork) -> JSONResponse:
273272
ok, message = await nmcli.wifi_disconnect(wifi_ssid.ssid)
274273

275274
result = V1BasicResponse(message=message)

robot-server/robot_server/service/legacy/routers/pipettes.py

+3-1
Original file line numberDiff line numberDiff line change
@@ -59,7 +59,9 @@ async def get_pipettes(
5959

6060
attached = hardware.attached_instruments
6161

62-
def make_pipette(mount: Mount, pipette_dict: PipetteDict, is_ot2: bool):
62+
def make_pipette(
63+
mount: Mount, pipette_dict: PipetteDict, is_ot2: bool
64+
) -> pipettes.AttachedPipette:
6365
if is_ot2:
6466
mount_axis = ot2_axis_to_string(Axis.by_mount(mount))
6567
plunger_axis = ot2_axis_to_string(Axis.of_plunger(mount))

robot-server/robot_server/service/notifications/publisher_notifier.py

+4-2
Original file line numberDiff line numberDiff line change
@@ -18,14 +18,16 @@
1818
class PublisherNotifier:
1919
"""An interface that invokes notification callbacks whenever a generic notify event occurs."""
2020

21-
def __init__(self, change_notifier: Union[ChangeNotifier, ChangeNotifier_ts]):
21+
def __init__(
22+
self, change_notifier: Union[ChangeNotifier, ChangeNotifier_ts]
23+
) -> None:
2224
self._change_notifier = change_notifier
2325
self._notifier: Optional[asyncio.Task[None]] = None
2426
self._callbacks: List[Callable[[], Awaitable[None]]] = []
2527

2628
def register_publish_callbacks(
2729
self, callbacks: List[Callable[[], Awaitable[None]]]
28-
):
30+
) -> None:
2931
"""Extend the list of callbacks with a given list of callbacks."""
3032
self._callbacks.extend(callbacks)
3133

robot-server/robot_server/service/pipette_offset/router.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -82,7 +82,7 @@ async def delete_specific_pipette_offset_calibration(
8282
pipette_id: str,
8383
mount: pip_models.MountType,
8484
_: Annotated[API, Depends(get_ot2_hardware)],
85-
):
85+
) -> None:
8686
try:
8787
pipette_offset.delete_pipette_offset_file(
8888
pipette_id, ot_types.Mount[mount.upper()]

robot-server/robot_server/service/session/command_execution/__init__.py

-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,3 @@
1-
from .base_command_queue import CommandQueue # noqa: F401
21
from .base_executor import CommandExecutor # noqa: F401
32
from .command import ( # noqa: F401
43
Command,

robot-server/robot_server/service/session/command_execution/base_command_queue.py

-22
This file was deleted.

0 commit comments

Comments
 (0)