Guidance on how to navigate and modify this codebase.
It is an async Python wrapper to interact with the Overkiz API, used by vendors and platforms like Somfy TaHoma and Atlantic CozyTouch.
Write for Python 3.10-3.13. Do NOT write code to support earlier versions of Python. Always use modern Python practices appropriate for Python 3.10-3.13.
Always use full type annotations, generics, and other modern practices.
-
Important: BE SURE you read and understand the project setup by reading the pyproject.toml file and the Makefile.
-
ALWAYS use uv for running all code and managing dependencies. Never use direct
piporpythoncommands. -
Use modern uv commands:
uv sync,uv run ..., etc. Preferuv addoveruv pip install. -
You may use the following shortcuts
# Install all dependencies: uv sync # Run linting (with ruff), pre-commit checks and type checking (with mypy). # Note when you run this, ruff will auto-format and sort imports, resolving any # linter warnings about import ordering: uv run pre-commit run --all-files # Run tests: uv run pytest
-
Run individual tests and see output with
uv run pytest -s some/file.py. -
You must verify there are zero linter warnings/errors or test failures before considering any task complete.
-
Be sure to resolve the mypy type checker errors as you develop and make changes.
-
If type checker errors are hard to resolve, you may add a comment
# type: ignoreto disable mypy warnings or errors but ONLY if you know they are not a real problem and are difficult to fix. -
In special cases you may consider disabling it globally it in pyproject.toml but YOU MUST ASK FOR CONFIRMATION from the user before globally disabling lint or type checker rules.
-
Never change an existing comment, pydoc, or a log statement, unless it is directly fixing the issue you are changing, or the user has asked you to clean up the code. Do not drop existing comments when editing code! And do not delete or change logging statements.
-
Always use full, absolute imports for paths. do NOT use
from .module1.module2 import .... Such relative paths make it hard to refactor. Usefrom toplevel_pkg.module1.modlule2 import ...instead. -
Be sure to import things like
Callableand other types from the right modules, remembering that many are now incollections.abcortyping_extensions. For example:from collections.abc import Callable, Coroutine -
Use
typing_extensionsfor things like@override(you need to use this, and nottypingsince we want to support Python 3.11). -
Add
from __future__ import annotationson files with types whenever applicable. -
Use pathlib
Pathinstead of strings. UsePath(filename).read_text()instead of two-linewith open(...)blocks. -
Use strif’s
atomic_output_filecontext manager when writing files to ensure output files are written atomically.
- ALWAYS use
@overridedecorators to override methods from base classes. This is a modern Python practice and helps avoid bugs.
-
For longer tests put them in a file like
tests/test_somename.pyin thetests/directory (ortests/module_name/test_somename.pyfile for a submodule). -
Don’t add docs to assertions unless it’s not obvious what they’re checking - the assertion appears in the stack trace. Do NOT write
assert x == 5, "x should be 5". Do NOT writeassert x == 5 # Check if x is 5. That is redundant. Just writeassert x == 5. -
DO NOT write trivial or obvious tests that are evident directly from code, such as assertions that confirm the value of a constant setting.
-
NEVER write
assert False. If a test reaches an unexpected branch and must fail explicitly,raise AssertionError("Some explanation")instead. This is best typical best practice in Python since assertions can be removed with optimization. -
DO NOT use pytest fixtures like parameterized tests or expected exception decorators unless absolutely necessary in more complex tests. It is typically simpler to use simple assertions and put the checks inside the test. This is also preferable because then simple tests have no explicit pytest dependencies and can be placed in code anywhere.
-
DO NOT write trivial tests that test something we know already works, like instantiating a Pydantic object.
class Link(BaseModel): url: str title: str = None # DO NOT write tests like this. They are trivial and only create clutter! def test_link_model(): link = Link(url="https://example.com", title="Example") assert link.url == "https://example.com" assert link.title == "Example"
-
Use modern union syntax:
str | Noneinstead ofOptional[str],dict[str]instead ofDict[str],list[str]instead ofList[str], etc. -
Never use/import
Optionalfor new code. -
Use modern enums like
StrEnumif appropriate.
-
Comments should be EXPLANATORY: Explain WHY something is done a certain way and not just what is done.
-
Comments should be CONCISE: Remove all extraneous words.
-
DO NOT use comments to state obvious things or repeat what is evident from the code. Here is an example of a comment that SHOULD BE REMOVED because it simply repeats the code, which is distracting and adds no value:
if self.failed == 0: # All successful return "All tasks finished successfully"
-
Every method (or function) should have a docstring.
-
Here is an example of the correct style for docstrings:
def check_if_url( text: UnresolvedLocator, only_schemes: list[str] | None = None ) -> ParseResult | None: """ Convenience function to check if a string or Path is a URL and if so return the `urlparse.ParseResult`. Also returns false for Paths, so that it's easy to use local paths and URLs (`Locator`s) interchangeably. Can provide `HTTP_ONLY` or `HTTP_OR_FILE` to restrict to only certain schemes. """ # Function body def is_url(text: UnresolvedLocator, only_schemes: list[str] | None = None) -> bool: """ Check if a string is a URL. For convenience, also returns false for Paths, so that it's easy to use local paths and URLs interchangeably. """ return check_if_url(text, only_schemes) is not None
-
Use concise pydoc strings with triple quotes on their own lines.
-
Use
backticksaround variable names and inline code excerpts. -
Use plain fences (```) around code blocks inside of pydocs.
-
For classes with many methods, use a concise docstring on the class that explains all the common information, and avoid repeating the same information on every method.
-
Docstrings should provide context or as concisely as possible explain “why”, not obvious details evident from the class names, function names, parameter names, and type annotations.
-
Docstrings should mention any key rationale or pitfalls when using the class or function.
-
Avoid obvious or repetitive docstrings. Do NOT add pydocs that just repeat in English facts that are obvious from the function name, variable name, or types. That is silly and obvious and makes the code longer for no reason.
-
Do NOT list args and return values if they’re obvious. In the above examples, you do not need and
Arguments:orReturns:section, since sections as it is obvious from context. do list these if there are many arguments and their meaning isn’t clear. If it returns a less obvious type like a tuple, do explain in the pydoc. -
Exported/public variables, functions, or methods SHOULD have concise docstrings. Internal/local variables, functions, and methods DO NOT need docstrings unless their purpose is not obvious.
-
Avoid writing trivial wrapper functions. For example, when writing a class DO NOT blindly make delegation methods around public member variables. DO NOT write methods like this:
def reassemble(self) -> str: """Call the original reassemble method.""" return self.paragraph.reassemble()
In general, the user can just call the enclosed objects methods, reducing code bloat.
-
If a function does not use a parameter, but it should still be present, you can use
# type: ignorein a comment to suppress the type checker warning.
-
When changing code in a library or general function, if a change to an API or library will break backward compatibility, MENTION THIS to the user.
-
DO NOT implement additional code for backward compatiblity (such as extra methods or variable aliases or comments about backward compatibility) UNLESS the user has confirmed that it is necessary.