`: nothing dynamic, just "template" a string of HTML,
but done in one step:
```python
result = html(t"
'
```
## Show the `Element` Itself
Let's take a look at that `Element` structure.
This time, we'll inspect the returned value rather than rendering it to a
string:
```python
result = html(t'
')
assert result == Element(
"div",
attrs={"class": "container"},
children=[Text("Hello World")]
)
```
In our test we see that we got back an `Element`. What does it look like?
- The `result` is of type `tdom.nodes.Element` (a subclass of `Node`)
- The name of the node (`
`)
- The properties passed to that tag (in this case, `{"class": "container"}`)
- The children of this tag (in this case, a `Text` node of `Hello World`)
## Interpolations as Attribute Values
We can go one step further with this and use interpolations from PEP 750
t-strings. Let's pass in a Python symbol as part of the template, inside curly
braces:
```python
my_class = "active"
result = html(t'
Hello World
')
assert str(result) == '
Hello World
'
```
TODO: describe all the many many ways to express attribute values, including
`tdom`'s special handling of boolean attributes, whole-tag spreads, `class`,
`style`, `data` and `aria` attributes, etc.
## Child Nodes in an `Element`
Let's look at what more nesting would look like:
```python
result = html(t"
Hello World!
")
assert result == Element(
"div",
children=[
Text("Hello "),
Element(
"span",
children=[
Text("World"),
Element("em", children=[Text("!")])
]
)
]
)
```
It's a nested Python datastructure -- pretty simple to look at.
## Expressing the Document Type
One last point: the HTML doctype can be a tricky one to get into the template.
In `tdom` this is straightforward:
```python
result = html(t"
Hello World
")
assert str(result) == '
Hello World
'
```
## Reducing Boolean Attribute Values
The renderer also knows how to collapse truthy-y values into simplified HTML
attributes. Thus, instead of `editable="1"` you just get the attribute _name_
without a _value_:
```python
result = html(t"
Hello World
")
assert str(result) == '
Hello World
'
```