Enlazar solicitud de datos de formulario con struct personalizado
Gin puede enlazar datos de formulario en structs anidados automáticamente. Cuando tu modelo de datos está compuesto por structs más pequeños — ya sea como campos embebidos, campos de puntero o structs anónimos en línea — Gin recorre la jerarquía del struct y mapea cada etiqueta form al parámetro de consulta o campo de formulario correspondiente.
Esto es útil para organizar formularios complejos en subestructuras reutilizables en lugar de definir un solo struct plano con muchos campos.
package main
import ( "net/http"
"github.com/gin-gonic/gin")
type StructA struct { FieldA string `form:"field_a"`}
type StructB struct { NestedStruct StructA FieldB string `form:"field_b"`}
type StructC struct { NestedStructPointer *StructA FieldC string `form:"field_c"`}
type StructD struct { NestedAnonyStruct struct { FieldX string `form:"field_x"` } FieldD string `form:"field_d"`}
func main() { router := gin.Default()
router.GET("/getb", func(c *gin.Context) { var b StructB c.Bind(&b) c.JSON(http.StatusOK, gin.H{ "a": b.NestedStruct, "b": b.FieldB, }) })
router.GET("/getc", func(c *gin.Context) { var b StructC c.Bind(&b) c.JSON(http.StatusOK, gin.H{ "a": b.NestedStructPointer, "c": b.FieldC, }) })
router.GET("/getd", func(c *gin.Context) { var b StructD c.Bind(&b) c.JSON(http.StatusOK, gin.H{ "x": b.NestedAnonyStruct, "d": b.FieldD, }) })
router.Run(":8080")}Pruébalo
# Nested struct -- fields from StructA are bound alongside StructB's own fieldscurl "http://localhost:8080/getb?field_a=hello&field_b=world"# Output: {"a":{"FieldA":"hello"},"b":"world"}
# Nested struct pointer -- works the same way, Gin allocates the pointer automaticallycurl "http://localhost:8080/getc?field_a=hello&field_c=world"# Output: {"a":{"FieldA":"hello"},"c":"world"}
# Anonymous inline struct -- fields are bound by their form tags as usualcurl "http://localhost:8080/getd?field_x=hello&field_d=world"# Output: {"d":"world","x":{"FieldX":"hello"}}