-
Notifications
You must be signed in to change notification settings - Fork 52
LCORE-740: type hints for endpoint handlers #752
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
LCORE-740: type hints for endpoint handlers #752
Conversation
WalkthroughThis PR adds comprehensive type hints across eight endpoint test files. Changes include annotating test functions with Changes
Estimated code review effort🎯 3 (Moderate) | ⏱️ ~20 minutes
Possibly related PRs
Suggested reviewers
Poem
Pre-merge checks and finishing touches✅ Passed checks (2 passed)
✨ Finishing touches
🧪 Generate unit tests (beta)
Thanks for using CodeRabbit! It's free for OSS, and your support helps us grow. If you like it, consider giving us a shout-out. Comment |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Actionable comments posted: 2
Caution
Some comments are outside the diff and can’t be posted inline due to platform limitations.
⚠️ Outside diff range comments (4)
tests/unit/app/endpoints/test_metrics.py (1)
17-19: Awaited function must be patched with AsyncMock.setup_model_metrics is awaited; patching with a regular Mock will raise “object MagicMock can’t be used in ‘await’ expression”. Use AsyncMock.
- mock_setup_metrics = mocker.patch( - "app.endpoints.metrics.setup_model_metrics", return_value=None - ) + mock_setup_metrics = mocker.patch( + "app.endpoints.metrics.setup_model_metrics", + new=mocker.AsyncMock(return_value=None), + )tests/unit/app/endpoints/test_streaming_query.py (3)
236-309: Async iterator mock should return an iterator, not a list.Setting aiter.return_value to a plain list can break async for. Return an iterator (or define an async generator).
- mock_streaming_response.__aiter__.return_value = [ + mock_streaming_response.__aiter__.return_value = iter([ AgentTurnResponseStreamChunk(...), AgentTurnResponseStreamChunk(...), AgentTurnResponseStreamChunk(...), AgentTurnResponseStreamChunk(...), - ] + ])Alternatively:
async def _agen(items): for i in items: yield i mock_streaming_response.__aiter__.return_value = _agen([...])
351-359: Handle StreamingResponse chunks as bytes.body_iterator yields bytes; joining with "" will fail. Join bytes and decode.
- streaming_content = [] + streaming_content: list[bytes] = [] @@ - full_content = "".join(streaming_content) # type: ignore + full_content = b"".join(streaming_content).decode()
369-371: Decode before json.loads.streaming_content elements are bytes; slice then decode.
- d = json.loads(streaming_content[6][5:]) + d = json.loads(streaming_content[6][5:].decode())
🧹 Nitpick comments (5)
tests/unit/app/endpoints/test_tools.py (2)
50-103: Use plain dicts for tool fixtures; Mock mapping dunders are brittle.dict(mock) is not guaranteed to work with instance‑level dunders on Mock. Returning real dicts is simpler and robust.
-@pytest.fixture -def mock_tools_response(mocker: MockerFixture) -> list[MockType]: +@pytest.fixture +def mock_tools_response(mocker: MockerFixture) -> list[dict]: """Create mock tools response from LlamaStack client.""" - # Create mock tools that behave like dict when converted - tool1 = mocker.Mock() - tool1.__dict__.update( - { - "identifier": "filesystem_read", - "description": "Read contents of a file from the filesystem", - "parameters": [ - {"name": "path", "description": "Path to the file to read", "parameter_type": "string", "required": True, "default": None} - ], - "provider_id": "model-context-protocol", - "toolgroup_id": "filesystem-tools", - "type": "tool", - "metadata": {}, - } - ) - # Make dict() work on the mock - tool1.keys.return_value = tool1.__dict__.keys() - tool1.__getitem__ = lambda self, key: self.__dict__[key] - tool1.__iter__ = lambda self: iter(self.__dict__) - - tool2 = mocker.Mock() - tool2.__dict__.update( - { - "identifier": "git_status", - "description": "Get the status of a git repository", - "parameters": [ - {"name": "repository_path", "description": "Path to the git repository", "parameter_type": "string", "required": True, "default": None} - ], - "provider_id": "model-context-protocol", - "toolgroup_id": "git-tools", - "type": "tool", - "metadata": {}, - } - ) - # Make dict() work on the mock - tool2.keys.return_value = tool2.__dict__.keys() - tool2.__getitem__ = lambda self, key: self.__dict__[key] - tool2.__iter__ = lambda self: iter(self.__dict__) - - return [tool1, tool2] + tool1 = { + "identifier": "filesystem_read", + "description": "Read contents of a file from the filesystem", + "parameters": [ + {"name": "path", "description": "Path to the file to read", "parameter_type": "string", "required": True, "default": None} + ], + "provider_id": "model-context-protocol", + "toolgroup_id": "filesystem-tools", + "type": "tool", + "metadata": {}, + } + tool2 = { + "identifier": "git_status", + "description": "Get the status of a git repository", + "parameters": [ + {"name": "repository_path", "description": "Path to the git repository", "parameter_type": "string", "required": True, "default": None} + ], + "provider_id": "model-context-protocol", + "toolgroup_id": "git-tools", + "type": "tool", + "metadata": {}, + } + return [tool1, tool2]
116-121: Minor typos in comments.Fix “bypass i”, “clien”, and “endpointt” for readability.
Also applies to: 236-238
tests/unit/app/endpoints/test_models.py (2)
25-30: Redundant configuration patching.Patching configuration to a Mock and then immediately to None is unnecessary; keep only the None patch.
180-181: Prefer patching in the module under test.For reliability, patch AsyncLlamaStackClientHolder on app.endpoints.models rather than client.
- mock_lsc = mocker.patch("client.AsyncLlamaStackClientHolder.get_client") + mock_lsc = mocker.patch("app.endpoints.models.AsyncLlamaStackClientHolder.get_client")Also applies to: 231-233
tests/unit/app/endpoints/test_shields.py (1)
25-30: Remove redundant configuration patch.Patching configuration to a Mock and then to None can be reduced to a single None patch.
Also applies to: 81-85
📜 Review details
Configuration used: CodeRabbit UI
Review profile: CHILL
Plan: Pro
📒 Files selected for processing (8)
tests/unit/app/endpoints/test_conversations.py(35 hunks)tests/unit/app/endpoints/test_conversations_v2.py(9 hunks)tests/unit/app/endpoints/test_metrics.py(2 hunks)tests/unit/app/endpoints/test_models.py(9 hunks)tests/unit/app/endpoints/test_providers.py(7 hunks)tests/unit/app/endpoints/test_shields.py(13 hunks)tests/unit/app/endpoints/test_streaming_query.py(51 hunks)tests/unit/app/endpoints/test_tools.py(14 hunks)
🧰 Additional context used
📓 Path-based instructions (3)
**/*.py
📄 CodeRabbit inference engine (CLAUDE.md)
**/*.py: All modules start with descriptive module-level docstrings explaining purpose
Use logger = logging.getLogger(name) for module logging after import logging
Define type aliases at module level for clarity
All functions require docstrings with brief descriptions
Provide complete type annotations for all function parameters and return types
Use typing_extensions.Self in model validators where appropriate
Use modern union syntax (str | int) and Optional[T] or T | None consistently
Function names use snake_case with descriptive, action-oriented prefixes (get_, validate_, check_)
Avoid in-place parameter modification; return new data structures instead of mutating arguments
Use appropriate logging levels: debug, info, warning, error with clear messages
All classes require descriptive docstrings explaining purpose
Class names use PascalCase with conventional suffixes (Configuration, Error/Exception, Resolver, Interface)
Abstract base classes should use abc.ABC and @AbstractMethod for interfaces
Provide complete type annotations for all class attributes
Follow Google Python docstring style for modules, classes, and functions, including Args, Returns, Raises, Attributes sections as needed
Files:
tests/unit/app/endpoints/test_models.pytests/unit/app/endpoints/test_tools.pytests/unit/app/endpoints/test_shields.pytests/unit/app/endpoints/test_conversations_v2.pytests/unit/app/endpoints/test_metrics.pytests/unit/app/endpoints/test_streaming_query.pytests/unit/app/endpoints/test_providers.pytests/unit/app/endpoints/test_conversations.py
tests/{unit,integration}/**/*.py
📄 CodeRabbit inference engine (CLAUDE.md)
tests/{unit,integration}/**/*.py: Use pytest for all unit and integration tests
Do not use unittest in tests; pytest is the standard
Files:
tests/unit/app/endpoints/test_models.pytests/unit/app/endpoints/test_tools.pytests/unit/app/endpoints/test_shields.pytests/unit/app/endpoints/test_conversations_v2.pytests/unit/app/endpoints/test_metrics.pytests/unit/app/endpoints/test_streaming_query.pytests/unit/app/endpoints/test_providers.pytests/unit/app/endpoints/test_conversations.py
tests/**/*.py
📄 CodeRabbit inference engine (CLAUDE.md)
tests/**/*.py: Use pytest-mock to create AsyncMock objects for async interactions in tests
Use the shared auth mock constant: MOCK_AUTH = ("mock_user_id", "mock_username", False, "mock_token") in tests
Files:
tests/unit/app/endpoints/test_models.pytests/unit/app/endpoints/test_tools.pytests/unit/app/endpoints/test_shields.pytests/unit/app/endpoints/test_conversations_v2.pytests/unit/app/endpoints/test_metrics.pytests/unit/app/endpoints/test_streaming_query.pytests/unit/app/endpoints/test_providers.pytests/unit/app/endpoints/test_conversations.py
🧠 Learnings (7)
📓 Common learnings
Learnt from: CR
Repo: lightspeed-core/lightspeed-stack PR: 0
File: CLAUDE.md:0-0
Timestamp: 2025-09-18T16:46:33.353Z
Learning: Applies to **/*.py : Provide complete type annotations for all function parameters and return types
Learnt from: CR
Repo: lightspeed-core/lightspeed-stack PR: 0
File: CLAUDE.md:0-0
Timestamp: 2025-09-18T16:46:33.353Z
Learning: Applies to src/{models/**/*.py,configuration.py} : Use precise type hints in configuration (e.g., Optional[FilePath], PositiveInt, SecretStr)
Learnt from: CR
Repo: lightspeed-core/lightspeed-stack PR: 0
File: CLAUDE.md:0-0
Timestamp: 2025-09-18T16:46:33.353Z
Learning: Applies to **/*.py : Provide complete type annotations for all class attributes
📚 Learning: 2025-09-18T16:46:33.353Z
Learnt from: CR
Repo: lightspeed-core/lightspeed-stack PR: 0
File: CLAUDE.md:0-0
Timestamp: 2025-09-18T16:46:33.353Z
Learning: Applies to src/{models/**/*.py,configuration.py} : Use precise type hints in configuration (e.g., Optional[FilePath], PositiveInt, SecretStr)
Applied to files:
tests/unit/app/endpoints/test_models.pytests/unit/app/endpoints/test_tools.py
📚 Learning: 2025-09-18T16:46:33.353Z
Learnt from: CR
Repo: lightspeed-core/lightspeed-stack PR: 0
File: CLAUDE.md:0-0
Timestamp: 2025-09-18T16:46:33.353Z
Learning: Applies to tests/**/*.py : Use the shared auth mock constant: MOCK_AUTH = ("mock_user_id", "mock_username", False, "mock_token") in tests
Applied to files:
tests/unit/app/endpoints/test_models.pytests/unit/app/endpoints/test_tools.pytests/unit/app/endpoints/test_shields.pytests/unit/app/endpoints/test_metrics.pytests/unit/app/endpoints/test_streaming_query.pytests/unit/app/endpoints/test_providers.py
📚 Learning: 2025-09-18T16:46:33.353Z
Learnt from: CR
Repo: lightspeed-core/lightspeed-stack PR: 0
File: CLAUDE.md:0-0
Timestamp: 2025-09-18T16:46:33.353Z
Learning: Applies to **/*.py : Provide complete type annotations for all function parameters and return types
Applied to files:
tests/unit/app/endpoints/test_models.pytests/unit/app/endpoints/test_tools.py
📚 Learning: 2025-09-18T16:46:33.353Z
Learnt from: CR
Repo: lightspeed-core/lightspeed-stack PR: 0
File: CLAUDE.md:0-0
Timestamp: 2025-09-18T16:46:33.353Z
Learning: Applies to src/client.py : Handle Llama Stack APIConnectionError when interacting with the Llama client
Applied to files:
tests/unit/app/endpoints/test_models.pytests/unit/app/endpoints/test_tools.pytests/unit/app/endpoints/test_shields.pytests/unit/app/endpoints/test_providers.pytests/unit/app/endpoints/test_conversations.py
📚 Learning: 2025-09-18T16:46:33.353Z
Learnt from: CR
Repo: lightspeed-core/lightspeed-stack PR: 0
File: CLAUDE.md:0-0
Timestamp: 2025-09-18T16:46:33.353Z
Learning: Applies to src/client.py : Use Llama Stack client import: from llama_stack_client import AsyncLlamaStackClient
Applied to files:
tests/unit/app/endpoints/test_models.pytests/unit/app/endpoints/test_conversations.py
📚 Learning: 2025-09-18T16:46:33.353Z
Learnt from: CR
Repo: lightspeed-core/lightspeed-stack PR: 0
File: CLAUDE.md:0-0
Timestamp: 2025-09-18T16:46:33.353Z
Learning: Applies to tests/**/*.py : Use pytest-mock to create AsyncMock objects for async interactions in tests
Applied to files:
tests/unit/app/endpoints/test_tools.pytests/unit/app/endpoints/test_conversations_v2.pytests/unit/app/endpoints/test_metrics.pytests/unit/app/endpoints/test_streaming_query.py
🧬 Code graph analysis (8)
tests/unit/app/endpoints/test_models.py (3)
src/app/endpoints/models.py (1)
models_endpoint_handler(52-107)src/configuration.py (2)
configuration(73-77)AppConfig(39-181)tests/unit/utils/auth_helpers.py (1)
mock_authorization_resolvers(8-26)
tests/unit/app/endpoints/test_tools.py (1)
src/models/config.py (1)
Configuration(596-622)
tests/unit/app/endpoints/test_shields.py (3)
src/app/endpoints/shields.py (1)
shields_endpoint_handler(41-96)src/configuration.py (2)
configuration(73-77)AppConfig(39-181)tests/unit/utils/auth_helpers.py (1)
mock_authorization_resolvers(8-26)
tests/unit/app/endpoints/test_conversations_v2.py (2)
src/app/endpoints/conversations_v2.py (1)
check_valid_conversation_id(284-294)tests/unit/app/endpoints/test_conversations.py (3)
test_configuration_not_loaded(276-294)test_configuration_not_loaded(575-593)test_configuration_not_loaded(876-891)
tests/unit/app/endpoints/test_metrics.py (2)
src/app/endpoints/metrics.py (1)
metrics_endpoint_handler(23-46)tests/unit/utils/auth_helpers.py (1)
mock_authorization_resolvers(8-26)
tests/unit/app/endpoints/test_streaming_query.py (4)
tests/unit/app/endpoints/test_query.py (6)
mock_database_operations(83-95)mock_metrics(71-80)setup_configuration_fixture(99-127)test_retrieve_response_vector_db_available(603-647)test_retrieve_response_with_mcp_servers(1120-1197)test_retrieve_response_with_mcp_servers_and_mcp_headers(1260-1356)src/configuration.py (1)
AppConfig(39-181)src/utils/transcripts.py (1)
store_transcript(40-99)src/app/endpoints/streaming_query.py (2)
stream_event(221-246)prompt_too_long_error(333-355)
tests/unit/app/endpoints/test_providers.py (2)
src/app/endpoints/providers.py (2)
get_provider_endpoint_handler(152-215)providers_endpoint_handler(69-125)src/client.py (1)
get_client(49-55)
tests/unit/app/endpoints/test_conversations.py (3)
tests/unit/app/endpoints/test_streaming_query.py (1)
setup_configuration_fixture(126-153)tests/unit/app/endpoints/test_query.py (2)
setup_configuration_fixture(99-127)dummy_request(59-68)tests/unit/app/endpoints/test_conversations_v2.py (1)
test_invalid_conversation_id_format(207-227)
⏰ Context from checks skipped due to timeout of 90000ms. You can increase the timeout in your CodeRabbit configuration to a maximum of 15 minutes (900000ms). (4)
- GitHub Check: build-pr
- GitHub Check: Konflux kflux-prd-rh02 / lightspeed-stack-on-pull-request
- GitHub Check: e2e_tests (ci)
- GitHub Check: e2e_tests (azure)
🔇 Additional comments (7)
tests/unit/app/endpoints/test_metrics.py (1)
4-4: Good typing additions.Adding MockerFixture, AuthTuple, and explicit return type improves clarity.
Also applies to: 7-7, 13-13
tests/unit/app/endpoints/test_tools.py (1)
23-23: MOCK_AUTH typing looks right.4‑tuple AuthTuple aligns with handlers.
tests/unit/app/endpoints/test_providers.py (1)
4-5: Typing and detail assertions standardization look solid.Consistent MockerFixture/AuthTuple usage and dict-based detail checks are correct.
Also applies to: 8-9
tests/unit/app/endpoints/test_conversations_v2.py (1)
5-6: Type-hinting and error-detail normalization look good.Fixtures and tests are correctly annotated; HTTPException detail is validated as dict consistently.
Also applies to: 124-131, 136-153, 158-169, 229-253, 273-306
tests/unit/app/endpoints/test_shields.py (1)
38-40: Auth tuple usage is consistent and correct.All handlers receive a 4‑tuple as expected.
Also applies to: 93-95, 199-201, 256-258, 330-332, 392-394
tests/unit/app/endpoints/test_conversations.py (2)
6-10: Nice typing pass and helper structure.Type annotations for fixtures/helpers improve readability; consistent dict-based detail checks align with endpoint behavior.
Also applies to: 93-120, 122-131, 164-185
322-340: Use of APIConnectionError/NotFoundError mocks is correct.Side effects and status assertions match endpoint error handling.
Also applies to: 635-640
Description
LCORE-740: type hints for endpoint handlers
Type of change
Related Tickets & Documents
Summary by CodeRabbit