Spaces:
Running
Running
File size: 1,620 Bytes
ebec85b 1108474 ebec85b 3b5501b ebec85b 1108474 ebec85b 1108474 ebec85b 3b5501b ebec85b 1108474 ebec85b 1108474 ebec85b 3b5501b ebec85b 3b5501b ebec85b |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 |
from collections import namedtuple
from fasthtml.common import Button, Div, Form, Input, Label, P, fast_app
app, rt = fast_app()
Contact = namedtuple("Contact", ["name", "email"])
current = Contact("Joe", "[email protected]")
@app.get
def page():
return get_contact()
@app.get("/contact")
def get_contact():
return Div(hx_target="this", hx_swap="outerHTML", cls="container")(
Div(P(f"Name : {current.name}")),
Div(P(f"Email : {current.email}")),
Button("Click To Edit", hx_get=contact_edit.rt(), cls="btn primary"),
)
@app.get("/contact/edit")
def contact_edit():
return Form(hx_put=put_contact.rt(), hx_target="this", hx_swap="outerHTML", cls="container")(
Div(Label("Name"), Input(type="text", name="name", value=current.name)),
Div(Label("Email"), Input(type="email", name="email", value=current.email)),
Button("Submit", cls="btn"),
Button("Cancel", hx_get=get_contact.rt(), cls="btn"),
)
@app.put("/contact")
def put_contact(c: Contact):
global current
current = c
return get_contact()
DESC = "Demonstrates inline editing of a data object"
DOC = """
The click to edit pattern provides a way to offer inline editing of all or part of a record without a page refresh.
- This pattern starts with a UI that shows the details of a contact. The div has a button that will get the editing UI for the contact from /contact/edit
::get_contact::
- This returns a form that can be used to edit the contact
::contact_edit::
The form issues a PUT back to /contact, following the usual REST-ful pattern.
::put_contact::
"""
|