web

TodoMVC using HTMX, Hyperscript and Python Flask

This post evaluates HTMX, a simple framework that uses attributes to enhance HTML with SPA behaviours. Instead of a full-blown javascript framework, it progressively enhances plain HTML to build capabilities. Better articles have been written on why.

We will focus on IF it helps bring SPA-like behaviour intuitively without JavaScript fatigue.

We are going to use TodoMVC as a reference implementation, which has a simple spec and various implementations to compare frontend frameworks, which are predominantly in Javascript/Typescript.

To begin with, I just took the todo-mvc template and modified it progressively to add features with care taken to preserve the original HTML. We use simple requests/responses and return HTML fragments as views to the front end, and HTMX takes care of patching them into the DOM where we target it. No page refreshes are needed, hence the SPA behaviour minus the gluttony of javascript frameworks and the associated build-the-world tooling they bring.

This involved splitting the HTML into small templates, which we can return as fragments from our server. The TODOMVC app has key components of an <input/> to capture new TODOS and an unordered list of list items <li/> to represent them. The <li/> themselves are CRUD enabled, which allows them to be edited/deleted.

Fetching new todos is as simple as using an attribute hx-get and pointing to your endpoint, which returns plain HTML.

<ul class="todo-list" hx-get="/todos" hx-trigger="load"></ul>

Easy to read and understand. On a load of the element, get a list of todos from /todos, which returns,

<li>TODO1</li>
<li>TODO2</li>

which is automatically spliced into our todolist <ul> as children

<!-- ASSEMBLED DOM -->
<ul class="todo-list" hx-get="/todos" hx-trigger="load">
    <li>TODO1</li>
    <li>TODO2</li>
</ul>

Enhancing <li/> items to support Read, Update, Delete involves decorating them with attributes as so,

<li id="list-item-{{todo.id}}" 
    class="{{"completed" if todo.status}} {{"editing" if todo.editMode}} {{"notEditing" if not todo.editMode }}"  
    hx-get="/editTodo/{{todo.id}}" 
    hx-trigger="dblclick" 
    hx-swap="outerHTML" hx-target="this"> <!-- TOGGLE EDIT MODE -->
    <div class="view">
        <input class="toggle" type="checkbox" {{'checked' if todo.status}} 
            hx-post="/toggleStatus/{{ todo.id }}" 
            hx-swap="outerHTML" 
            hx-target="#list-item-{{todo.id}}"> <!-- TOGGLE TODO STATUS -->
        <label><span id="todo-label" >{{ todo.label }} <!-- READ: FETCH AND DISPLAY TODO STATUS --></span></label>
        <button class="destroy" hx-delete="/deleteTodo/{{todo.id}}"><!-- DELETE TODO --></button>
    </div>
    <input name="edit-todo" class="edit" value="{{ todo.label }}" 
    hx-trigger="keyup[keyCode==13], blur" 
    hx-post="/updateTodo/{{ todo.id }}" > <!-- UPDATE TODO -->
</li>

Behind the scenes - Server Side

A brief note on the server side implemented here in Python using Flask, a minimal web server. There is nothing much to be noted here. The server can be anything that can serve plain HTML. The prototype’s logic surrounding the todo state management is implemented in a simple Python style with templates serving the results. The todos and the editor state are tracked in session cookies (default flask implementation). This is a deviation from the TODOMVC specification, which requests it to be stored in local storage. This idea of where the state should be held is a good decision point in choosing HTMX.

Example of how state is defined and implementation of clear completed feature which clears all todos that are status complete (True)

@dataclass
class Todo:
    id: str
    label: str
    status: bool
    editMode: bool

@dataclass
class State:
    currentStatusFilter: str
    hideSection: bool
    tobeCompletedCount: int
    clearCompleted: bool
    selectedIndex: typing.Union[int, None]

@app.route("/clearCompleted", methods=['POST'])
def clearCompleted():
    currentState, todos = getState()
    clearedTodos = [todo for todo in todos if not todo.status]
    updateState(currentState, clearedTodos)
    return getTodos("All")

The full implementation can be found in app.py.

Hyperscript

My initial attempt was to get away as much as I could without using any JavaScript, but there are a few features that scripting can solve elegantly. Luckily, HTMX is well paired with a scripting language called Hyperscript from the same creator, and it is bliss. It takes after hypertalk of natural language programming fame.

Here is what it looks like when you need to clear the input after adding a todo.

on htmx:afterRequest if event.detail.successful then set my.value to ''

Redoing the dblclick to toggle the .editing class turns into

<label _="on dblclick toggle .editing on #list-item-{{todo.id}}"></label>

That and a simple mutation observer script to keep track of length of changed list items covers what we need.

on mutation of anything from .todo-list
					if length of <.todo-list li/> == 0 then add .hidden to .main then add .hidden to .footer

The nice thing about hyperscript is it’s declarative feel and it’s first class natural language approach to reference and manipulate DOM elements. Improves readability.

Key takeaways

Demo

https://todomvc-app-htmx.fly.dev/

Source on Github

https://github.com/pradeeproark/todomvc-app-htmx