LLMs.md (view raw)
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 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 | # gomponents: HTML Components in Pure Go - LLM Documentation ## Overview gomponents is a Go library that enables building HTML components using pure Go code. Instead of using traditional HTML templates, developers write HTML as Go functions that compile to type-safe, performant HTML5 output. This approach leverages Go's type system, IDE support, and debugging capabilities while avoiding template language complexity. ## Core Concepts ### Node Interface The fundamental building block is the `Node` interface: ```go type Node interface { Render(w io.Writer) error } ``` Everything in gomponents implements this interface - elements, attributes, text, and components. ### Node Types - **ElementType**: Regular HTML elements (div, span, etc.) and text nodes - **AttributeType**: HTML attributes (class, href, etc.) The library automatically handles proper placement during rendering. ## Installation ```bash go get maragu.dev/gomponents ``` ## Import Patterns ### Dot imports (recommended): Contrary to common idiomatic Go, dot imports are the recommended approach for gomponents as they make the code read like a DSL for HTML: ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" . "maragu.dev/gomponents/components" ) ``` ### Standard imports with aliases (alternative): For those who prefer avoiding dot imports, use single-letter aliases: ```go import ( g "maragu.dev/gomponents" h "maragu.dev/gomponents/html" c "maragu.dev/gomponents/components" ghttp "maragu.dev/gomponents/http" ) ``` ## Package Structure ### maragu.dev/gomponents (core) Core interfaces and helper functions: - `Node` interface - `El(name string, children ...Node)` - create custom elements - `Attr(name string, value ...string)` - create custom attributes - `Text(string)` - HTML-escaped text - `Textf(format string, args...)` - formatted escaped text - `Raw(string)` - unescaped HTML - `Rawf(format string, args...)` - formatted unescaped HTML - `Group([]Node)` - group multiple nodes - `Map[T]([]T, func(T) Node)` - transform slices to nodes - `If(condition bool, node Node)` - conditional rendering - `Iff(condition bool, func() Node)` - lazy conditional rendering ### maragu.dev/gomponents/html All HTML5 elements and attributes as Go functions: - Elements: `Div()`, `Span()`, `A()`, `H1()`, etc. - Attributes: `Class()`, `ID()`, `Href()`, `Style()`, etc. - Special: `Doctype()` for HTML5 doctype declaration ### maragu.dev/gomponents/components Higher-level components: - `HTML5(HTML5Props)` - complete HTML5 document structure - `Classes` - dynamic class management map ### maragu.dev/gomponents/http HTTP handler integration: - `Handler` type - returns (Node, error) - `Adapt()` - converts Handler to http.HandlerFunc ## Basic Usage Examples ### Simple Element ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ) // <div class="container">Hello, World!</div> Div(Class("container"), Text("Hello, World!")) ``` ### Nested Structure ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ) // <nav><a href="/">Home</a><a href="/about">About</a></nav> Nav( A(Href("/"), Text("Home")), A(Href("/about"), Text("About")) ) ``` ### Complete Page ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/components" . "maragu.dev/gomponents/html" ) func Page() Node { return HTML5(HTML5Props{ Title: "My Page", Language: "en", Head: []Node{ Meta(Name("author"), Content("John Doe")), }, Body: []Node{ H1(Text("Welcome")), P(Text("This is my page")), }, }) } ``` ## Advanced Patterns ### Component Functions Create reusable components as functions: ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ) func Card(title, content string) Node { return Div(Class("card"), H2(Class("card-title"), Text(title)), P(Class("card-content"), Text(content)), ) } ``` ### Dynamic Rendering ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ) func UserList(users []User) Node { return Ul( Map(users, func(u User) Node { return Li(Text(u.Name)) }), ) } ``` ### Conditional Rendering ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ) func NavBar(isLoggedIn bool, username string) Node { return Nav( A(Href("/"), Text("Home")), If(isLoggedIn, Span(Text("Welcome, " + username))), If(!isLoggedIn, A(Href("/login"), Text("Login"))), ) } ``` ### Dynamic Classes ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/components" . "maragu.dev/gomponents/html" ) Div( Classes{ "active": isActive, "disabled": isDisabled, "primary": isPrimary, }, Text("Dynamic styling"), ) ``` ## Special Elements and Attributes ### Name Conflicts Some HTML names conflict in Go. The library provides both variants: - `Style()` (attribute) vs `StyleEl()` (element) - `Title()` (attribute) vs `TitleEl()` (element) - `Form()` (element) vs `FormAttr()` (attribute) - `Label()` (element) vs `LabelAttr()` (attribute) - `Data()` (attribute) vs `DataEl()` (element) - `Cite()` (element) vs `CiteAttr()` (attribute) ### Void Elements Self-closing elements (br, img, input, etc.) are handled automatically. Child nodes that aren't attributes are ignored: ```go // Correct: <img src="pic.jpg" alt="Picture"> Img(Src("pic.jpg"), Alt("Picture")) // Text("ignored") won't render for void elements Img(Src("pic.jpg"), Text("ignored")) ``` ## HTTP Integration ### Basic Handler ```go import ( "net/http" . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ghttp "maragu.dev/gomponents/http" ) func HomeHandler(w http.ResponseWriter, r *http.Request) (Node, error) { return Page("Welcome!"), nil } // In main: http.HandleFunc("/", ghttp.Adapt(HomeHandler)) ``` ### Error Handling ```go import ( "net/http" . "maragu.dev/gomponents" ghttp "maragu.dev/gomponents/http" ) type HTTPError struct { Code int Message string } func (e HTTPError) Error() string { return e.Message } func (e HTTPError) StatusCode() int { return e.Code } func Handler(w http.ResponseWriter, r *http.Request) (Node, error) { if unauthorized { return ErrorPage(), HTTPError{Code: 401, Message: "Unauthorized"} } return SuccessPage(), nil } ``` ## Best Practices ### 1. Component Composition Build complex UIs from simple, reusable components: ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/components" . "maragu.dev/gomponents/html" ) func Layout(title string, content Node) Node { return HTML5(HTML5Props{ Title: title, Body: []Node{ Header(), Main(content), Footer(), }, }) } ``` ### 2. Type Safety Leverage Go's type system for compile-time guarantees: ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ) type ButtonVariant string const ( ButtonPrimary ButtonVariant = "btn-primary" ButtonSecondary ButtonVariant = "btn-secondary" ) func Button(variant ButtonVariant, text string) Node { return Button(Class(string(variant)), Type("button"), Text(text)) } ``` ### 3. Performance Nodes render directly to io.Writer for efficiency: ```go import ( "net/http" ) // Efficient - streams directly to response func (h Handler) ServeHTTP(w http.ResponseWriter, r *http.Request) { node := BuildPage() node.Render(w) } ``` ### 4. Testing Components are pure functions, making testing straightforward: ```go import ( "bytes" "testing" ) func TestButton(t *testing.T) { btn := Button("Click me") var buf bytes.Buffer btn.Render(&buf) expected := `<button>Click me</button>` if buf.String() != expected { t.Errorf("got %q, want %q", buf.String(), expected) } } ``` ## Common Patterns ### Forms ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ) func LoginForm() Node { return Form(Method("post"), Action("/login"), Label(For("email"), Text("Email:")), Input(Type("email"), ID("email"), Name("email"), Required()), Label(For("password"), Text("Password:")), Input(Type("password"), ID("password"), Name("password"), Required()), Button(Type("submit"), Text("Login")), ) } ``` ### Tables ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ) func DataTable(headers []string, rows [][]string) Node { return Table( Thead( Tr(Map(headers, func(h string) Node { return Th(Text(h)) })), ), Tbody( Map(rows, func(row []string) Node { return Tr(Map(row, func(cell string) Node { return Td(Text(cell)) })) }), ), ) } ``` ### Lists ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ) func NavMenu(items []MenuItem) Node { return Nav( Ul(Class("nav-menu"), Map(items, func(item MenuItem) Node { return Li( A(Href(item.URL), Text(item.Label)), ) }), ), ) } ``` ## Integration Tips ### With CSS Frameworks Works seamlessly with Tailwind, Bootstrap, etc.: ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ) // Tailwind CSS Div(Class("flex items-center justify-between p-4 bg-blue-500")) // Bootstrap Div(Class("container-fluid"), Div(Class("row"), Div(Class("col-md-6"), Text("Column 1")), Div(Class("col-md-6"), Text("Column 2")), ), ) ``` ### With JavaScript Include scripts and handle interactions: ```go import ( . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ) Button( Class("interactive-btn"), ID("myButton"), Text("Click me"), ) Script(Raw(` document.getElementById('myButton').addEventListener('click', () => { alert('Clicked!'); }); `)) ``` ### Custom Elements For web components or non-standard elements: ```go import ( . "maragu.dev/gomponents" ) // <my-component attr="value">Content</my-component> El("my-component", Attr("attr", "value"), Text("Content"), ) ``` ## Debugging ### String() Method All nodes implement String() for debugging: ```go import ( "fmt" . "maragu.dev/gomponents" . "maragu.dev/gomponents/html" ) node := Div(Class("test"), Text("Hello")) fmt.Println(node) // <div class="test">Hello</div> ``` ### Rendering to Buffer Test component output: ```go import ( "bytes" ) var buf bytes.Buffer err := node.Render(&buf) html := buf.String() ``` ## Performance Considerations 1. **Direct Rendering**: Nodes render directly to io.Writer without intermediate string allocation 2. **No Reflection**: Pure function calls, no runtime reflection overhead 3. **Compile-Time Safety**: Errors caught at compile time, not runtime 4. **Zero Dependencies**: Core library has no external dependencies ## Common Gotchas 1. **Nil Nodes**: Nil nodes are safely ignored during rendering 2. **Attribute Order**: Attributes render in the order they're specified 3. **Escaping**: Use Text() for escaped content, Raw() for unescaped HTML 4. **Void Elements**: Children (except attributes) are ignored for void elements ## Summary gomponents provides a type-safe, performant way to generate HTML in Go applications. It's particularly well-suited for: - Server-side rendered web applications - API servers that return HTML - Static site generators - Email template generation - Any scenario where you need programmatic HTML generation with Go's type safety The library's philosophy emphasizes simplicity, type safety, and Go idioms over template languages, making it an excellent choice for Go developers who prefer staying within the Go ecosystem. |