| Crates.io | pyo3-stub-gen |
| lib.rs | pyo3-stub-gen |
| version | 0.18.0 |
| created_at | 2024-08-01 12:34:22.409044+00 |
| updated_at | 2026-01-23 05:23:40.859409+00 |
| description | Stub file (*.pyi) generator for PyO3 |
| homepage | |
| repository | https://github.com/Jij-Inc/pyo3-stub-gen |
| max_upload_size | |
| id | 1322003 |
| size | 261,473 |
Python stub file (*.pyi) generator for PyO3 with maturin projects.
| crate name | crates.io | docs.rs | doc (main) |
|---|---|---|---|
| pyo3-stub-gen | |||
| pyo3-stub-gen-derive |
[!NOTE] Minimum supported Python version is 3.10. Do not enable 3.9 or older in PyO3 setting.
[!NOTE] Versions 0.15.0–0.17.1 unintentionally included a LGPL dependency. This was removed in 0.17.2, and the affected versions have been yanked.
Our goal is to create a stub file *.pyi from Rust code, however,
automated complete translation is impossible due to the difference between Rust and Python type systems and the limitation of proc-macro.
We take semi-automated approach:
If the default translator does not work, users can specify the translation manually, and these manual translations can be integrated with what the default translator generates. So the users can use the default translator as much as possible and only specify the translation for the edge cases.
pyo3-stub-gen crate provides the manual way to specify the translation, and pyo3-stub-gen-derive crate provides the default translator as proc-macro based on the mechanism of pyo3-stub-gen.
If you are looking for a working example, please see the examples directory.
| Example | Description |
|---|---|
| examples/pure | Example for Pure Rust maturin project |
| examples/mixed | Example for Mixed Rust/Python maturin project with submodule |
Here we describe basic usage of pyo3-stub-gen crate based on examples/pure example.
This crate provides a procedural macro #[gen_stub_pyfunction] and others to generate a Python stub file.
It is used with PyO3's #[pyfunction] macro. Let's consider a simple example PyO3 project:
use pyo3::prelude::*;
#[pyfunction]
fn sum_as_string(a: usize, b: usize) -> PyResult<String> {
Ok((a + b).to_string())
}
#[pymodule]
fn your_module_name(m: &Bound<PyModule>) -> PyResult<()> {
m.add_function(wrap_pyfunction!(sum_as_string, m)?)?;
Ok(())
}
To generate a stub file for this project, please modify it as follows:
use pyo3::prelude::*;
use pyo3_stub_gen::{derive::gen_stub_pyfunction, define_stub_info_gatherer};
#[gen_stub_pyfunction] // Proc-macro attribute to register a function to stub file generator.
#[pyfunction]
fn sum_as_string(a: usize, b: usize) -> PyResult<String> {
Ok((a + b).to_string())
}
#[pymodule]
fn your_module_name(m: &Bound<PyModule>) -> PyResult<()> {
m.add_function(wrap_pyfunction!(sum_as_string, m)?)?;
Ok(())
}
// Define a function to gather stub information.
define_stub_info_gatherer!(stub_info);
[!NOTE] The
#[gen_stub_pyfunction]macro must be placed before#[pyfunction]macro.
#[gen_stub(skip)]For functions or methods that you want to exclude from the generated stub file, use the #[gen_stub(skip)] attribute:
use pyo3::prelude::*;
use pyo3_stub_gen::derive::*;
#[gen_stub_pyclass]
#[pyclass]
struct MyClass;
#[gen_stub_pymethods]
#[pymethods]
impl MyClass {
#[gen_stub(skip)]
fn internal_method(&self) {
// This method will not appear in the .pyi file
}
}
#[gen_stub(default=xx)]For getters, setters, and class attributes, you can specify default values that will appear in the stub file:
use pyo3::prelude::*;
use pyo3_stub_gen::derive::*;
#[gen_stub_pyclass]
#[pyclass]
struct Config {
#[pyo3(get, set)]
#[gen_stub(default = Config::default().timeout)]
timeout: usize,
}
impl Default for Config {
fn default() -> Self {
Config { timeout: 30 }
}
}
#[gen_stub_pymethods]
#[pymethods]
impl Config {
#[getter]
#[gen_stub(default = Config::default().timeout)]
fn get_timeout(&self) -> usize {
self.timeout
}
}
And then, create an executable target in src/bin/stub_gen.rs to generate a stub file:
use pyo3_stub_gen::Result;
fn main() -> Result<()> {
// `stub_info` is a function defined by `define_stub_info_gatherer!` macro.
let stub = pure::stub_info()?;
stub.generate()?;
Ok(())
}
and add rlib in addition to cdylib in [lib] section of Cargo.toml:
[lib]
crate-type = ["cdylib", "rlib"]
This target generates a stub file pure.pyi when executed.
cargo run --bin stub_gen
The stub file is automatically found by maturin, and it is included in the wheel package. See also the maturin document for more details.
When the automatic Rust-to-Python type translation doesn't produce the desired result, you can manually specify type information using Python stub syntax. There are two main approaches:
#[gen_stub_pyfunction(python = "...")]#[gen_stub(override_type(...))]python ParameterUse the python parameter to specify the complete function signature in Python stub syntax. This is ideal when you need to define complex types or when the entire signature needs custom definition.
use pyo3::prelude::*;
use pyo3_stub_gen::derive::*;
#[gen_stub_pyfunction(python = r#"
import collections.abc
import typing
def fn_with_callback(callback: collections.abc.Callable[[str], typing.Any]) -> collections.abc.Callable[[str], typing.Any]:
"""Example using python parameter for complete override."""
"#)]
#[pyfunction]
pub fn fn_with_callback<'a>(callback: Bound<'a, PyAny>) -> PyResult<Bound<'a, PyAny>> {
callback.call1(("Hello!",))?;
Ok(callback)
}
This approach:
collections.abc.CallableFor selective overrides, use #[gen_stub(override_type(...))] on specific arguments or #[gen_stub(override_return_type(...))] on the function. This is useful when most types translate correctly but a few need adjustment.
use pyo3::prelude::*;
use pyo3_stub_gen::derive::*;
#[gen_stub_pyfunction]
#[pyfunction]
#[gen_stub(override_return_type(type_repr="collections.abc.Callable[[str], typing.Any]", imports=("collections.abc", "typing")))]
pub fn get_callback<'a>(
#[gen_stub(override_type(type_repr="collections.abc.Callable[[str], typing.Any]", imports=("collections.abc", "typing")))]
cb: Bound<'a, PyAny>,
) -> PyResult<Bound<'a, PyAny>> {
Ok(cb)
}
This approach:
How submit! works:
The #[gen_stub_pyfunction] and #[gen_stub_pyclass] macros automatically generate submit! blocks internally to register type information. You can also manually add submit! blocks to supplement or override this automatic registration.
When multiple type signatures exist for the same function or method, the stub generator automatically generates @overload decorators in the .pyi file. This enables proper type checking for functions that accept multiple type signatures.
Two approaches for overloads:
python_overload parameter: Define overloads inline with the functionsubmit! blocks: Keep stub definitions separate - useful for proc-macro/code generationFunction overloads:
Use the python_overload parameter to define multiple type signatures inline:
use pyo3::prelude::*;
use pyo3_stub_gen::derive::*;
// Define overloads inline with python_overload parameter
#[gen_stub_pyfunction(
python_overload = r#"
@overload
def process(x: int) -> int:
"""Process integer input"""
"#
)]
#[pyfunction]
pub fn process(x: f64) -> f64 {
x + 1.0
}
Generated stub:
@overload
def process(x: int) -> int:
"""Process integer input"""
@overload
def process(x: float) -> float: ... # Auto-generated from Rust
Suppress auto-generation with no_default_overload = true:
use pyo3::prelude::*;
use pyo3_stub_gen::derive::*;
#[gen_stub_pyfunction(
python_overload = r#"
@overload
def func(x: int) -> int: ...
@overload
def func(x: str) -> str: ...
"#,
no_default_overload = true // Don't generate from Rust signature
)]
#[pyfunction]
pub fn func(ob: Bound<PyAny>) -> PyResult<PyObject> {
// Runtime type checking
todo!()
}
Class method overloads:
use pyo3::prelude::*;
use pyo3_stub_gen::{derive::*, inventory::submit};
#[gen_stub_pyclass]
#[pyclass]
pub struct Calculator {}
#[gen_stub_pymethods]
#[pymethods]
impl Calculator {
fn add(&self, x: f64) -> f64 {
x + 1.0
}
}
// Alternative: Use submit! for method overloads (useful for proc-macro/code generation)
submit! {
gen_methods_from_python! {
r#"
class Calculator:
@overload
def add(self, x: int) -> int:
"""Add integer (overload)"""
"#
}
}
Benefits:
python_overload parameter@overload decorator generationsubmit! syntax available for proc-macro/code generation use casesAdvanced class method patterns:
For more advanced patterns, see examples/pure/src/manual_submit.rs:
#[gen_stub_pymethods]#[gen_stub(skip)] for methods that need complex type annotationsFor comprehensive documentation, see Python Stub Syntax Support.
RustType MarkerWithin Python stub syntax, you can reference Rust types directly using the pyo3_stub_gen.RustType["TypeName"] marker. This leverages the PyStubType trait implementation of the Rust type.
use pyo3::prelude::*;
use pyo3_stub_gen::{derive::*, inventory::submit};
#[pyfunction]
pub fn sum_list(values: Vec<i32>) -> i32 {
values.iter().sum()
}
submit! {
gen_function_from_python! {
r#"
def sum_list(values: pyo3_stub_gen.RustType["Vec<i32>"]) -> pyo3_stub_gen.RustType["i32"]:
"""Sum a list of integers"""
"#
}
}
The RustType marker automatically expands to the appropriate Python type:
RustType["Vec<i32>"] → typing.Sequence[int] (for arguments)RustType["i32"] → int (for return values)This is particularly useful for:
Vec<T>, HashMap<K, V>PyStubType| Scenario | Recommended Method |
|---|---|
Complex types (e.g., Callable, Protocol) |
Method 1: python = "..." parameter |
| Override one or two arguments | Method 2: #[gen_stub(override_type(...))] |
Function overloads (@overload) |
python_overload = "..." parameter |
| Reference Rust types in Python syntax | Use RustType["..."] marker |
| Complete function signature replacement | Method 1: python = "..." parameter |
For complete examples, see the examples/pure directory, particularly:
overriding.rs - Type override examplesoverloading.rs - Function overload examplesrust_type_marker.rs - RustType marker examplesmypy stubtest validates that stub files match runtime behavior. You can add it to your test suite:
uv run stubtest your_module_name --ignore-missing-stub --ignore-disjoint-bases
--ignore-missing-stub - Maturin creates internal native modules (.so files) that re-export to __init__.py. Stubtest looks for stubs for these internal modules, which don't exist (all types are in __init__.pyi). This flag prevents false positives.--ignore-disjoint-bases - PyO3 classes are disjoint bases at runtime, but pyo3-stub-gen does not generate @typing.disjoint_base decorators.Stubtest does not work with PyO3 nested submodules. Nested #[pymodule] creates runtime attributes (not importable modules), but stub files use directory structure. For projects with nested submodules, disable stubtest for those packages. See examples/mixed/Taskfile.yml for an example.
To be written.
© 2024 Jij Inc.
This project is licensed under either of
at your option.
__text_signature__ attribute generated by PyO3 in Python side.