htmy


Namehtmy JSON
Version 0.8.0 PyPI version JSON
download
home_pageNone
SummaryAsync, pure-Python server-side rendering engine.
upload_time2025-08-12 12:46:41
maintainerNone
docs_urlNone
authorPeter Volf
requires_python<4.0,>=3.10
licenseMIT
keywords
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            ![Tests](https://github.com/volfpeter/htmy/actions/workflows/tests.yml/badge.svg)
![Linters](https://github.com/volfpeter/htmy/actions/workflows/linters.yml/badge.svg)
![Documentation](https://github.com/volfpeter/htmy/actions/workflows/build-docs.yml/badge.svg)
![PyPI package](https://img.shields.io/pypi/v/htmy?color=%2334D058&label=PyPI%20Package)

**Source code**: [https://github.com/volfpeter/htmy](https://github.com/volfpeter/htmy)

**Documentation and examples**: [https://volfpeter.github.io/htmy](https://volfpeter.github.io/htmy/)

# `htmy`

**Async**, **pure-Python** server-side rendering engine.

Unleash your creativity with the full power and Python, without the hassle of learning a new templating language or dealing with its limitations!

## Key features

- **Async**-first, to let you make the best use of [modern async tools](https://github.com/timofurrer/awesome-asyncio).
- **Powerful**, React-like **context support**, so you can avoid prop-drilling.
- Sync and async **function components** with **decorator syntax**.
- All baseline **HTML** tags built-in.
- Support for **native HTML/XML** documents with dynamic formatting and **slot rendering**, **without custom syntax**.
- **Markdown** support with tools for customization.
- Async, JSON based **internationalization**.
- Built-in, easy to use `ErrorBoundary` component for graceful error handling.
- **Unopinionated**: use the backend, CSS, and JS frameworks of your choice, the way you want to use them.
- Everything is **easily customizable**, from the rendering engine to components, formatting and context management.
- Automatic and customizable **property-name conversion** from snake case to kebab case.
- **Fully-typed**.

## Testimonials

"Thank you for your work on `fasthx`, as well as `htmy`! I've never had an easier time developing with another stack." ([ref](https://github.com/volfpeter/fasthx/discussions/77))

"One of the main parts of the `FastAPI` -> `fasthx` -> `htmy` integration I'm falling in love with is its explicitness, and not too much magic happening." ([ref](https://github.com/volfpeter/fasthx/issues/54))

"Thank you for your work on `htmy` and `fasthx`, both have been very pleasant to use, and the APIs are both intuitive and simple. Great work." ([ref](https://github.com/volfpeter/fasthx/issues/54))

"I love that the language-embedded HTML generation library approach is becoming more popular." ([ref](https://www.reddit.com/r/programming/comments/1h1a0dx/comment/lzd3phw))

"Neat approach and it naturally solves the partial templates problem 👍" ([ref](https://www.reddit.com/r/Python/comments/1gp3mww/comment/lwqj4fc))

"Great API design!" ([ref](https://www.reddit.com/r/Python/comments/1gp3mww/comment/lwpdyq9))

## Support

Consider supporting the development and maintenance of the project through [sponsoring](https://buymeacoffee.com/volfpeter), or reach out for [consulting](https://www.volfp.com/contact?subject=Consulting%20-%20HTMY) so you can get the most out of the library.

## Installation

The package is available on PyPI and can be installed with:

```console
$ pip install htmy
```

The package has the following optional dependencies:

- `lxml` *(recommended)*: When installed, it is prioritized over `xml.etree.ElementTree` and provides more secure, faster, and more flexible HTML and XML processing. It is used, for example, for Markdown processing. Install with: `pip install "htmy[lxml]"`.

## Concepts

The entire library -- from the rendering engine itself to the built-in components -- is built around a few simple protocols and a handful of simple utility classes. This means that you can easily customize, extend, or replace basically everything in the library. Yes, even the rendering engine. The remaining parts will keep working as expected.

Also, the library doesn't rely on advanced Python features such as metaclasses or descriptors. There are also no complex base classes and the like. Even a junior engineer could understand, develop, and debug an application that's built with `htmy`.

### Components

Every object with a sync or async `htmy(context: Context) -> Component` method is an `htmy` component (technically an `HTMYComponentType`). Strings are also components, as well as lists or tuples of `HTMYComponentType` or string objects. In many cases though, you don't even need to create components, simple functions that return components will be sufficient -- you can find out more about this in the [Components guide](https://volfpeter.github.io/htmy/components-guide/) of the documentation.

Using the `htmy()` method name enables the conversion of any of your pre-existing business objects (from `TypedDicts`s or `pydantic` models to ORM classes) into components without the fear of name collision or compatibility issues with other tools.

Async support makes it possible to load data or execute async business logic right in your components. This can reduce the amount of boilerplate you need to write in some cases, and also gives you the freedom to split the rendering and non-rendering logic in any way you see fit.

Example:

```python
from dataclasses import dataclass

from htmy import Component, Context, html

@dataclass(frozen=True, kw_only=True, slots=True)
class User:
    username: str
    name: str
    email: str

    async def is_admin(self) -> bool:
        return False

class UserRow(User):
    async def htmy(self, context: Context) -> Component:
        role = "admin" if await self.is_admin() else "restricted"
        return html.tr(
            html.td(self.username),
            html.td(self.name),
            html.td(html.a(self.email, href=f"mailto:{self.email}")),
            html.td(role)
        )

@dataclass(frozen=True, kw_only=True, slots=True)
class UserRows:
    users: list[User]
    def htmy(self, context: Context) -> Component:
        # Note that a list is returned here. A list or tuple of `HTMYComponentType | str` objects is also a component.
        return [UserRow(username=u.username, name=u.name, email=u.email) for u in self.users]

user_table = html.table(
    UserRows(
        users=[
            User(username="Foo", name="Foo", email="foo@example.com"),
            User(username="Bar", name="Bar", email="bar@example.com"),
        ]
    )
)
```

`htmy` also provides a powerful `@component` decorator that can be used on sync or async `my_component(props: MyProps, context: Context) -> Component` functions and methods to convert them into components (preserving the `props` typing). You can find out more about this feature in the [Function components](https://volfpeter.github.io/htmy/function-components/) guide.

Here is the same example as above, but with function components:

```python
from dataclasses import dataclass

from htmy import Component, Context, component, html

@dataclass(frozen=True, kw_only=True, slots=True)
class User:
    username: str
    name: str
    email: str

    async def is_admin(self) -> bool:
        return False

@component
async def user_row(user: User, context: Context) -> Component:
    # The first argument of function components is their "props", the data they need.
    # The second argument is the rendering context.
    role = "admin" if await user.is_admin() else "restricted"
    return html.tr(
        html.td(user.username),
        html.td(user.name),
        html.td(html.a(user.email, href=f"mailto:{user.email}")),
        html.td(role)
    )

@component
def user_rows(users: list[User], context: Context) -> Component:
    # Nothing to await in this component, so it's sync.
    # Note that we only pass the "props" to the user_row() component (well, function component wrapper).
    # The context will be passed to the wrapper during rendering.
    return [user_row(user) for user in users]

user_table = html.table(
    user_rows(
        [
            User(username="Foo", name="Foo", email="foo@example.com"),
            User(username="Bar", name="Bar", email="bar@example.com"),
        ]
    )
)
```

### Built-in components

`htmy` has a rich set of built-in utilities and components for both HTML and other use-cases:

- `html` module: a complete set of [baseline HTML tags](https://developer.mozilla.org/en-US/docs/Glossary/Baseline/Compatibility).
- `Snippet` and `Slots`: utilities for creating dynamic, customizable document snippets in their native file format (HTML, XML, Markdown, etc.), with slot rendering support.
- `md`: `MarkdownParser` utility and `MD` component for loading, parsing, converting, and rendering markdown content.
- `i18n`: utilities for async, JSON based internationalization.
- `BaseTag`, `TagWithProps`, `Tag`, `WildcardTag`: base classes for custom XML tags.
- `ErrorBoundary`, `Fragment`, `SafeStr`, `WithContext`: utilities for error handling, component wrappers, context providers, and formatting.
- `etree.ETreeConverter`: utility that converts XML to a component tree with support for custom HTMY components.

### Rendering

`htmy.Renderer` is the built-in, default renderer of the library.

If you're using the library in an async web framework like [FastAPI](https://fastapi.tiangolo.com/), then you're already in an async environment, so you can render components as simply as this: `await Renderer().render(my_root_component)`.

If you're trying to run the renderer in a sync environment, like a local script or CLI, then you first need to wrap the renderer in an async task and execute that task with `asyncio.run()`:

```python
import asyncio

from htmy import Renderer, html

async def render_page() -> None:
    page = (
        html.DOCTYPE.html,
        html.html(
            html.body(
                html.h1("Hello World!"),
                html.p("This page was rendered by ", html.code("htmy")),
            ),
        )
    )

    result = await Renderer().render(page)
    print(result)


if __name__ == "__main__":
    asyncio.run(render_page())
```

### Context

As you could see from the code examples above, every component has a `context: Context` argument, which we haven't used so far. Context is a way to share data with the entire subtree of a component without "prop drilling".

The context (technically a `Mapping`) is entirely managed by the renderer. Context provider components (any class with a sync or async `htmy_context() -> Context` method) add new data to the context to make it available to components in their subtree (including themselves), and components can simply take what they need from the context.

There is no restriction on what can be in the context, it can be used for anything the application needs, for example making the current user, UI preferences, themes, or formatters available to components. In fact, built-in components get their `Formatter` from the context if it contains one, to make it possible to customize tag property name and value formatting.

Here's an example context provider and consumer implementation:

```python
import asyncio

from htmy import Component, ComponentType, Context, Renderer, component, html

class UserContext:
    def __init__(self, *children: ComponentType, username: str, theme: str) -> None:
        self._children = children
        self.username = username
        self.theme = theme

    def htmy_context(self) -> Context:
        # Context provider implementation.
        return {UserContext: self}

    def htmy(self, context: Context) -> Component:
        # Context providers must also be components, as they just
        # wrap some children components in their context.
        return self._children

    @classmethod
    def from_context(cls, context: Context) -> "UserContext":
        user_context = context[cls]
        if isinstance(user_context, UserContext):
            return user_context

        raise TypeError("Invalid user context.")

@component
def welcome_page(text: str, context: Context) -> Component:
    # Get user information from the context.
    user = UserContext.from_context(context)
    return (
        html.DOCTYPE.html,
        html.html(
            html.body(
                html.h1(text, html.strong(user.username)),
                data_theme=user.theme,
            ),
        ),
    )

async def render_welcome_page() -> None:
    page = UserContext(
        welcome_page("Welcome back "),
        username="John",
        theme="dark",
    )

    result = await Renderer().render(page)
    print(result)

if __name__ == "__main__":
    asyncio.run(render_welcome_page())
```

You can of course rely on the built-in context related utilities like the `ContextAware` or `WithContext` classes for convenient and typed context use with less boilerplate code.

### Formatter

As mentioned before, the built-in `Formatter` class is responsible for tag attribute name and value formatting. You can completely override or extend the built-in formatting behavior simply by extending this class or adding new rules to an instance of it, and then adding the custom instance to the context, either directly in `Renderer` or `Renderer.render()`, or in a context provider component.

These are default tag attribute formatting rules:

- Underscores are converted to dashes in attribute names (`_` -> `-`) unless the attribute name starts or ends with an underscore, in which case leading and trailing underscores are removed and the rest of attribute name is preserved. For example `data_theme="dark"` is converted to `data-theme="dark"`, but `_data_theme="dark"` will end up as `data_theme="dark"` in the rendered text. More importantly `class_="text-danger"`, `_class="text-danger"`, `_class__="text-danger"` are all converted to `class="text-danger"`, and `_for="my-input"` or `for_="my_input"` will become `for="my-input"`.
- `bool` attribute values are converted to strings (`"true"` and `"false"`).
- `XBool.true` attributes values are converted to an empty string, and `XBool.false` values are skipped (only the attribute name is rendered).
- `date` and `datetime` attribute values are converted to ISO strings.
- Complex values such as lists, dictionaries, tuples, and sets are JSON serialized.

### Error boundary

The `ErrorBoundary` component is useful if you want your application to fail gracefully (e.g. display an error message) instead of raising an HTTP error.

The error boundary wraps a component component subtree. When the renderer encounters an `ErrorBoundary` component, it will try to render its wrapped content. If rendering fails with an exception at any point in the `ErrorBoundary`'s subtree, the renderer will automatically fall back to the component you assigned to the `ErrorBoundary`'s `fallback` property.

Optionally, you can define which errors an error boundary can handle, giving you fine control over error handling.

### Sync or async?

In general, a component should be async if it must await some async call inside.

If a component executes a potentially "long-running" synchronous call, it is strongly recommended to delegate that call to a worker thread an await it (thus making the component async). This can be done for example with `anyio`'s `to_thread` [utility](https://anyio.readthedocs.io/en/stable/threads.html), `starlette`'s (or `fastapi`'s) `run_in_threadpool()`, and so on. The goal here is to avoid blocking the asyncio event loop, as that can lead to performance issues.

In all other cases, it's best to use sync components.

## Framework integrations

FastAPI:

- [FastHX](https://github.com/volfpeter/fasthx)

## External examples

- [lipsum-chat](https://github.com/volfpeter/lipsum-chat): A simple chat application using `FastAPI`, `htmx`, and `fasthx`.

## Why

At one end of the spectrum, there are the complete application frameworks that combine the server (Python) and client (JavaScript) applications with the entire state management and synchronization into a single Python (an in some cases an additional JavaScript) package. Some of the most popular examples are: [Reflex](https://github.com/reflex-dev/reflex), [NiceGUI](https://github.com/zauberzeug/nicegui/), [ReactPy](https://github.com/reactive-python/reactpy), and [FastUI](https://github.com/pydantic/FastUI).

The main benefit of these frameworks is rapid application prototyping and a very convenient developer experience, at least as long as you stay within the built-in feature set of the framework. In exchange for that, they are very opinionated (from components to frontend tooling and state management), the underlying engineering is very complex, deployment and scaling can be hard or costly, and they can be hard to migrate away from. Even with these caveats, they can be a very good choice for internal tools and application prototyping.

The other end of spectrum -- plain rendering engines -- is dominated by the [Jinja](https://jinja.palletsprojects.com) templating engine, which is a safe choice as it has been and will be around for a long time. The main drawbacks with Jinja are the lack of good IDE support, the complete lack of static code analysis support, and the (subjectively) ugly custom template syntax.

Then there are tools that aim for the middleground, usually by providing most of the benefits and drawbacks of complete application frameworks while leaving state management, client-server communication, and dynamic UI updates for the user to solve, often with some level of [HTMX](https://htmx.org/) support. This group includes libraries like [FastHTML](https://github.com/answerdotai/fasthtml) and [Ludic](https://github.com/getludic/ludic).

The primary aim of `htmy` is to be a `Jinja` alternative that is similarly powerful and flexible, while also providing the benefits of full IDE support, static code analysis, and native Python (and HTML, XML, markdown) syntax. Additionally, `htmy` is **async-first**, so it works great with modern async Python frameworks such as [FastAPI](https://fastapi.tiangolo.com). The library was designed to be as **simple**, **maintainable**, and **customizable** as possible, while still providing all the building blocks for creating complex web applications.

## Dependencies

The library aims to minimze its dependencies. Currently the following dependencies are required:

- `anyio`: for async file operations and networking.
- `async-lru`: for async caching.
- `markdown`: for markdown parsing.

## Development

Use `ruff` for linting and formatting, `mypy` for static code analysis, and `pytest` for testing.

The documentation is built with `mkdocs-material` and `mkdocstrings`.

## Contributing

We welcome contributions from the community to help improve the project! Whether you're an experienced developer or just starting out, there are many ways you can contribute:

- **Discuss**: Join our [Discussion Board](https://github.com/volfpeter/htmy/discussions) to ask questions, share ideas, provide feedback, and engage with the community.
- **Document**: Help improve the documentation by fixing typos, adding examples, and updating guides to make it easier for others to use the project.
- **Develop**: Prototype requested features or pick up issues from the issue tracker.
- **Share**: Share your own project by adding a link to it in the documentation, helping others discover and benefit from your work.
- **Test**: Write tests to improve coverage and enhance reliability.

## License - MIT

The package is open-sourced under the conditions of the [MIT license](https://choosealicense.com/licenses/mit/).


            

Raw data

            {
    "_id": null,
    "home_page": null,
    "name": "htmy",
    "maintainer": null,
    "docs_url": null,
    "requires_python": "<4.0,>=3.10",
    "maintainer_email": null,
    "keywords": null,
    "author": "Peter Volf",
    "author_email": "do.volfp@gmail.com",
    "download_url": "https://files.pythonhosted.org/packages/8c/07/003f112c4d2cbebf079f9399df480a9c86eae54608d11f56b8860a443c27/htmy-0.8.0.tar.gz",
    "platform": null,
    "description": "![Tests](https://github.com/volfpeter/htmy/actions/workflows/tests.yml/badge.svg)\n![Linters](https://github.com/volfpeter/htmy/actions/workflows/linters.yml/badge.svg)\n![Documentation](https://github.com/volfpeter/htmy/actions/workflows/build-docs.yml/badge.svg)\n![PyPI package](https://img.shields.io/pypi/v/htmy?color=%2334D058&label=PyPI%20Package)\n\n**Source code**: [https://github.com/volfpeter/htmy](https://github.com/volfpeter/htmy)\n\n**Documentation and examples**: [https://volfpeter.github.io/htmy](https://volfpeter.github.io/htmy/)\n\n# `htmy`\n\n**Async**, **pure-Python** server-side rendering engine.\n\nUnleash your creativity with the full power and Python, without the hassle of learning a new templating language or dealing with its limitations!\n\n## Key features\n\n- **Async**-first, to let you make the best use of [modern async tools](https://github.com/timofurrer/awesome-asyncio).\n- **Powerful**, React-like **context support**, so you can avoid prop-drilling.\n- Sync and async **function components** with **decorator syntax**.\n- All baseline **HTML** tags built-in.\n- Support for **native HTML/XML** documents with dynamic formatting and **slot rendering**, **without custom syntax**.\n- **Markdown** support with tools for customization.\n- Async, JSON based **internationalization**.\n- Built-in, easy to use `ErrorBoundary` component for graceful error handling.\n- **Unopinionated**: use the backend, CSS, and JS frameworks of your choice, the way you want to use them.\n- Everything is **easily customizable**, from the rendering engine to components, formatting and context management.\n- Automatic and customizable **property-name conversion** from snake case to kebab case.\n- **Fully-typed**.\n\n## Testimonials\n\n\"Thank you for your work on `fasthx`, as well as `htmy`! I've never had an easier time developing with another stack.\" ([ref](https://github.com/volfpeter/fasthx/discussions/77))\n\n\"One of the main parts of the `FastAPI` -> `fasthx` -> `htmy` integration I'm falling in love with is its explicitness, and not too much magic happening.\" ([ref](https://github.com/volfpeter/fasthx/issues/54))\n\n\"Thank you for your work on `htmy` and `fasthx`, both have been very pleasant to use, and the APIs are both intuitive and simple. Great work.\" ([ref](https://github.com/volfpeter/fasthx/issues/54))\n\n\"I love that the language-embedded HTML generation library approach is becoming more popular.\" ([ref](https://www.reddit.com/r/programming/comments/1h1a0dx/comment/lzd3phw))\n\n\"Neat approach and it naturally solves the partial templates problem \ud83d\udc4d\" ([ref](https://www.reddit.com/r/Python/comments/1gp3mww/comment/lwqj4fc))\n\n\"Great API design!\" ([ref](https://www.reddit.com/r/Python/comments/1gp3mww/comment/lwpdyq9))\n\n## Support\n\nConsider supporting the development and maintenance of the project through [sponsoring](https://buymeacoffee.com/volfpeter), or reach out for [consulting](https://www.volfp.com/contact?subject=Consulting%20-%20HTMY) so you can get the most out of the library.\n\n## Installation\n\nThe package is available on PyPI and can be installed with:\n\n```console\n$ pip install htmy\n```\n\nThe package has the following optional dependencies:\n\n- `lxml` *(recommended)*: When installed, it is prioritized over `xml.etree.ElementTree` and provides more secure, faster, and more flexible HTML and XML processing. It is used, for example, for Markdown processing. Install with: `pip install \"htmy[lxml]\"`.\n\n## Concepts\n\nThe entire library -- from the rendering engine itself to the built-in components -- is built around a few simple protocols and a handful of simple utility classes. This means that you can easily customize, extend, or replace basically everything in the library. Yes, even the rendering engine. The remaining parts will keep working as expected.\n\nAlso, the library doesn't rely on advanced Python features such as metaclasses or descriptors. There are also no complex base classes and the like. Even a junior engineer could understand, develop, and debug an application that's built with `htmy`.\n\n### Components\n\nEvery object with a sync or async `htmy(context: Context) -> Component` method is an `htmy` component (technically an `HTMYComponentType`). Strings are also components, as well as lists or tuples of `HTMYComponentType` or string objects. In many cases though, you don't even need to create components, simple functions that return components will be sufficient -- you can find out more about this in the [Components guide](https://volfpeter.github.io/htmy/components-guide/) of the documentation.\n\nUsing the `htmy()` method name enables the conversion of any of your pre-existing business objects (from `TypedDicts`s or `pydantic` models to ORM classes) into components without the fear of name collision or compatibility issues with other tools.\n\nAsync support makes it possible to load data or execute async business logic right in your components. This can reduce the amount of boilerplate you need to write in some cases, and also gives you the freedom to split the rendering and non-rendering logic in any way you see fit.\n\nExample:\n\n```python\nfrom dataclasses import dataclass\n\nfrom htmy import Component, Context, html\n\n@dataclass(frozen=True, kw_only=True, slots=True)\nclass User:\n    username: str\n    name: str\n    email: str\n\n    async def is_admin(self) -> bool:\n        return False\n\nclass UserRow(User):\n    async def htmy(self, context: Context) -> Component:\n        role = \"admin\" if await self.is_admin() else \"restricted\"\n        return html.tr(\n            html.td(self.username),\n            html.td(self.name),\n            html.td(html.a(self.email, href=f\"mailto:{self.email}\")),\n            html.td(role)\n        )\n\n@dataclass(frozen=True, kw_only=True, slots=True)\nclass UserRows:\n    users: list[User]\n    def htmy(self, context: Context) -> Component:\n        # Note that a list is returned here. A list or tuple of `HTMYComponentType | str` objects is also a component.\n        return [UserRow(username=u.username, name=u.name, email=u.email) for u in self.users]\n\nuser_table = html.table(\n    UserRows(\n        users=[\n            User(username=\"Foo\", name=\"Foo\", email=\"foo@example.com\"),\n            User(username=\"Bar\", name=\"Bar\", email=\"bar@example.com\"),\n        ]\n    )\n)\n```\n\n`htmy` also provides a powerful `@component` decorator that can be used on sync or async `my_component(props: MyProps, context: Context) -> Component` functions and methods to convert them into components (preserving the `props` typing). You can find out more about this feature in the [Function components](https://volfpeter.github.io/htmy/function-components/) guide.\n\nHere is the same example as above, but with function components:\n\n```python\nfrom dataclasses import dataclass\n\nfrom htmy import Component, Context, component, html\n\n@dataclass(frozen=True, kw_only=True, slots=True)\nclass User:\n    username: str\n    name: str\n    email: str\n\n    async def is_admin(self) -> bool:\n        return False\n\n@component\nasync def user_row(user: User, context: Context) -> Component:\n    # The first argument of function components is their \"props\", the data they need.\n    # The second argument is the rendering context.\n    role = \"admin\" if await user.is_admin() else \"restricted\"\n    return html.tr(\n        html.td(user.username),\n        html.td(user.name),\n        html.td(html.a(user.email, href=f\"mailto:{user.email}\")),\n        html.td(role)\n    )\n\n@component\ndef user_rows(users: list[User], context: Context) -> Component:\n    # Nothing to await in this component, so it's sync.\n    # Note that we only pass the \"props\" to the user_row() component (well, function component wrapper).\n    # The context will be passed to the wrapper during rendering.\n    return [user_row(user) for user in users]\n\nuser_table = html.table(\n    user_rows(\n        [\n            User(username=\"Foo\", name=\"Foo\", email=\"foo@example.com\"),\n            User(username=\"Bar\", name=\"Bar\", email=\"bar@example.com\"),\n        ]\n    )\n)\n```\n\n### Built-in components\n\n`htmy` has a rich set of built-in utilities and components for both HTML and other use-cases:\n\n- `html` module: a complete set of [baseline HTML tags](https://developer.mozilla.org/en-US/docs/Glossary/Baseline/Compatibility).\n- `Snippet` and `Slots`: utilities for creating dynamic, customizable document snippets in their native file format (HTML, XML, Markdown, etc.), with slot rendering support.\n- `md`: `MarkdownParser` utility and `MD` component for loading, parsing, converting, and rendering markdown content.\n- `i18n`: utilities for async, JSON based internationalization.\n- `BaseTag`, `TagWithProps`, `Tag`, `WildcardTag`: base classes for custom XML tags.\n- `ErrorBoundary`, `Fragment`, `SafeStr`, `WithContext`: utilities for error handling, component wrappers, context providers, and formatting.\n- `etree.ETreeConverter`: utility that converts XML to a component tree with support for custom HTMY components.\n\n### Rendering\n\n`htmy.Renderer` is the built-in, default renderer of the library.\n\nIf you're using the library in an async web framework like [FastAPI](https://fastapi.tiangolo.com/), then you're already in an async environment, so you can render components as simply as this: `await Renderer().render(my_root_component)`.\n\nIf you're trying to run the renderer in a sync environment, like a local script or CLI, then you first need to wrap the renderer in an async task and execute that task with `asyncio.run()`:\n\n```python\nimport asyncio\n\nfrom htmy import Renderer, html\n\nasync def render_page() -> None:\n    page = (\n        html.DOCTYPE.html,\n        html.html(\n            html.body(\n                html.h1(\"Hello World!\"),\n                html.p(\"This page was rendered by \", html.code(\"htmy\")),\n            ),\n        )\n    )\n\n    result = await Renderer().render(page)\n    print(result)\n\n\nif __name__ == \"__main__\":\n    asyncio.run(render_page())\n```\n\n### Context\n\nAs you could see from the code examples above, every component has a `context: Context` argument, which we haven't used so far. Context is a way to share data with the entire subtree of a component without \"prop drilling\".\n\nThe context (technically a `Mapping`) is entirely managed by the renderer. Context provider components (any class with a sync or async `htmy_context() -> Context` method) add new data to the context to make it available to components in their subtree (including themselves), and components can simply take what they need from the context.\n\nThere is no restriction on what can be in the context, it can be used for anything the application needs, for example making the current user, UI preferences, themes, or formatters available to components. In fact, built-in components get their `Formatter` from the context if it contains one, to make it possible to customize tag property name and value formatting.\n\nHere's an example context provider and consumer implementation:\n\n```python\nimport asyncio\n\nfrom htmy import Component, ComponentType, Context, Renderer, component, html\n\nclass UserContext:\n    def __init__(self, *children: ComponentType, username: str, theme: str) -> None:\n        self._children = children\n        self.username = username\n        self.theme = theme\n\n    def htmy_context(self) -> Context:\n        # Context provider implementation.\n        return {UserContext: self}\n\n    def htmy(self, context: Context) -> Component:\n        # Context providers must also be components, as they just\n        # wrap some children components in their context.\n        return self._children\n\n    @classmethod\n    def from_context(cls, context: Context) -> \"UserContext\":\n        user_context = context[cls]\n        if isinstance(user_context, UserContext):\n            return user_context\n\n        raise TypeError(\"Invalid user context.\")\n\n@component\ndef welcome_page(text: str, context: Context) -> Component:\n    # Get user information from the context.\n    user = UserContext.from_context(context)\n    return (\n        html.DOCTYPE.html,\n        html.html(\n            html.body(\n                html.h1(text, html.strong(user.username)),\n                data_theme=user.theme,\n            ),\n        ),\n    )\n\nasync def render_welcome_page() -> None:\n    page = UserContext(\n        welcome_page(\"Welcome back \"),\n        username=\"John\",\n        theme=\"dark\",\n    )\n\n    result = await Renderer().render(page)\n    print(result)\n\nif __name__ == \"__main__\":\n    asyncio.run(render_welcome_page())\n```\n\nYou can of course rely on the built-in context related utilities like the `ContextAware` or `WithContext` classes for convenient and typed context use with less boilerplate code.\n\n### Formatter\n\nAs mentioned before, the built-in `Formatter` class is responsible for tag attribute name and value formatting. You can completely override or extend the built-in formatting behavior simply by extending this class or adding new rules to an instance of it, and then adding the custom instance to the context, either directly in `Renderer` or `Renderer.render()`, or in a context provider component.\n\nThese are default tag attribute formatting rules:\n\n- Underscores are converted to dashes in attribute names (`_` -> `-`) unless the attribute name starts or ends with an underscore, in which case leading and trailing underscores are removed and the rest of attribute name is preserved. For example `data_theme=\"dark\"` is converted to `data-theme=\"dark\"`, but `_data_theme=\"dark\"` will end up as `data_theme=\"dark\"` in the rendered text. More importantly `class_=\"text-danger\"`, `_class=\"text-danger\"`, `_class__=\"text-danger\"` are all converted to `class=\"text-danger\"`, and `_for=\"my-input\"` or `for_=\"my_input\"` will become `for=\"my-input\"`.\n- `bool` attribute values are converted to strings (`\"true\"` and `\"false\"`).\n- `XBool.true` attributes values are converted to an empty string, and `XBool.false` values are skipped (only the attribute name is rendered).\n- `date` and `datetime` attribute values are converted to ISO strings.\n- Complex values such as lists, dictionaries, tuples, and sets are JSON serialized.\n\n### Error boundary\n\nThe `ErrorBoundary` component is useful if you want your application to fail gracefully (e.g. display an error message) instead of raising an HTTP error.\n\nThe error boundary wraps a component component subtree. When the renderer encounters an `ErrorBoundary` component, it will try to render its wrapped content. If rendering fails with an exception at any point in the `ErrorBoundary`'s subtree, the renderer will automatically fall back to the component you assigned to the `ErrorBoundary`'s `fallback` property.\n\nOptionally, you can define which errors an error boundary can handle, giving you fine control over error handling.\n\n### Sync or async?\n\nIn general, a component should be async if it must await some async call inside.\n\nIf a component executes a potentially \"long-running\" synchronous call, it is strongly recommended to delegate that call to a worker thread an await it (thus making the component async). This can be done for example with `anyio`'s `to_thread` [utility](https://anyio.readthedocs.io/en/stable/threads.html), `starlette`'s (or `fastapi`'s) `run_in_threadpool()`, and so on. The goal here is to avoid blocking the asyncio event loop, as that can lead to performance issues.\n\nIn all other cases, it's best to use sync components.\n\n## Framework integrations\n\nFastAPI:\n\n- [FastHX](https://github.com/volfpeter/fasthx)\n\n## External examples\n\n- [lipsum-chat](https://github.com/volfpeter/lipsum-chat): A simple chat application using `FastAPI`, `htmx`, and `fasthx`.\n\n## Why\n\nAt one end of the spectrum, there are the complete application frameworks that combine the server (Python) and client (JavaScript) applications with the entire state management and synchronization into a single Python (an in some cases an additional JavaScript) package. Some of the most popular examples are: [Reflex](https://github.com/reflex-dev/reflex), [NiceGUI](https://github.com/zauberzeug/nicegui/), [ReactPy](https://github.com/reactive-python/reactpy), and [FastUI](https://github.com/pydantic/FastUI).\n\nThe main benefit of these frameworks is rapid application prototyping and a very convenient developer experience, at least as long as you stay within the built-in feature set of the framework. In exchange for that, they are very opinionated (from components to frontend tooling and state management), the underlying engineering is very complex, deployment and scaling can be hard or costly, and they can be hard to migrate away from. Even with these caveats, they can be a very good choice for internal tools and application prototyping.\n\nThe other end of spectrum -- plain rendering engines -- is dominated by the [Jinja](https://jinja.palletsprojects.com) templating engine, which is a safe choice as it has been and will be around for a long time. The main drawbacks with Jinja are the lack of good IDE support, the complete lack of static code analysis support, and the (subjectively) ugly custom template syntax.\n\nThen there are tools that aim for the middleground, usually by providing most of the benefits and drawbacks of complete application frameworks while leaving state management, client-server communication, and dynamic UI updates for the user to solve, often with some level of [HTMX](https://htmx.org/) support. This group includes libraries like [FastHTML](https://github.com/answerdotai/fasthtml) and [Ludic](https://github.com/getludic/ludic).\n\nThe primary aim of `htmy` is to be a `Jinja` alternative that is similarly powerful and flexible, while also providing the benefits of full IDE support, static code analysis, and native Python (and HTML, XML, markdown) syntax. Additionally, `htmy` is **async-first**, so it works great with modern async Python frameworks such as [FastAPI](https://fastapi.tiangolo.com). The library was designed to be as **simple**, **maintainable**, and **customizable** as possible, while still providing all the building blocks for creating complex web applications.\n\n## Dependencies\n\nThe library aims to minimze its dependencies. Currently the following dependencies are required:\n\n- `anyio`: for async file operations and networking.\n- `async-lru`: for async caching.\n- `markdown`: for markdown parsing.\n\n## Development\n\nUse `ruff` for linting and formatting, `mypy` for static code analysis, and `pytest` for testing.\n\nThe documentation is built with `mkdocs-material` and `mkdocstrings`.\n\n## Contributing\n\nWe welcome contributions from the community to help improve the project! Whether you're an experienced developer or just starting out, there are many ways you can contribute:\n\n- **Discuss**: Join our [Discussion Board](https://github.com/volfpeter/htmy/discussions) to ask questions, share ideas, provide feedback, and engage with the community.\n- **Document**: Help improve the documentation by fixing typos, adding examples, and updating guides to make it easier for others to use the project.\n- **Develop**: Prototype requested features or pick up issues from the issue tracker.\n- **Share**: Share your own project by adding a link to it in the documentation, helping others discover and benefit from your work.\n- **Test**: Write tests to improve coverage and enhance reliability.\n\n## License - MIT\n\nThe package is open-sourced under the conditions of the [MIT license](https://choosealicense.com/licenses/mit/).\n\n",
    "bugtrack_url": null,
    "license": "MIT",
    "summary": "Async, pure-Python server-side rendering engine.",
    "version": "0.8.0",
    "project_urls": null,
    "split_keywords": [],
    "urls": [
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "d8155ba7c7f54d0b2235521d0a1ae1fb6d54c9d220ddfd09e0458bbc205e4a57",
                "md5": "4c50e0b48bb2ac3fe134d708dcdf00e5",
                "sha256": "14fb87f8ed2902d2aaca8a3372bff89acc85e1ded21c0885cb1f2efc612e2c41"
            },
            "downloads": -1,
            "filename": "htmy-0.8.0-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "4c50e0b48bb2ac3fe134d708dcdf00e5",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": "<4.0,>=3.10",
            "size": 34213,
            "upload_time": "2025-08-12T12:46:39",
            "upload_time_iso_8601": "2025-08-12T12:46:39.091684Z",
            "url": "https://files.pythonhosted.org/packages/d8/15/5ba7c7f54d0b2235521d0a1ae1fb6d54c9d220ddfd09e0458bbc205e4a57/htmy-0.8.0-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "8c07003f112c4d2cbebf079f9399df480a9c86eae54608d11f56b8860a443c27",
                "md5": "4354fd1d05b1b4e2f051e66d0f776919",
                "sha256": "ace74b5b762e91ea5c912da3df27a6b68e2fcc1602975d1569a1abcd8bda63f3"
            },
            "downloads": -1,
            "filename": "htmy-0.8.0.tar.gz",
            "has_sig": false,
            "md5_digest": "4354fd1d05b1b4e2f051e66d0f776919",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": "<4.0,>=3.10",
            "size": 34513,
            "upload_time": "2025-08-12T12:46:41",
            "upload_time_iso_8601": "2025-08-12T12:46:41.473859Z",
            "url": "https://files.pythonhosted.org/packages/8c/07/003f112c4d2cbebf079f9399df480a9c86eae54608d11f56b8860a443c27/htmy-0.8.0.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2025-08-12 12:46:41",
    "github": false,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "lcname": "htmy"
}
        
Elapsed time: 3.46956s