如果我有以下表单设置:
{{ range $key, $value := .Scores }}
<input id="{{$value.Id}}_rating__1" type="radio" name="rating[{{$value.Id}}]" value="-1">
<input id="{{$value.Id}}_rating__0" type="radio" name="rating[{{$value.Id}}]" value="0">
<input id="{{$value.Id}}_rating__2" type="radio" name="rating[{{$value.Id}}]" value="+1">
{{ end }}
如何才能正确提取数据?知道.Scores
可以包含多个结构
func categoryViewSubmit(w http.ResponseWriter, r *http.Request) {
err := r.ParseForm()
if err != nil {
log.Fatal(err)
}
fmt.Println("POST")
fmt.Printf("%+v\n", r.Form()) // annot call non-function r.Form (type url.Values)
fmt.Printf("%+v\n", r.FormValue("rating")) // Returns nothing
}
答案 0 :(得分:9)
表单键看起来像rating[id]
,其中id
是值标识符。要获取其中一个值,请在用r.FormValue("rating[id]")
替换实际ID值后调用id
。
我建议打印表单,看看发生了什么:
fmt.Printf("%+v\n", r.Form) // No () following Form, Form is not a function
form是url.Values。 url.Values是map [string] []字符串。您可以按如下方式遍历表单:
for key, values := range r.Form { // range over map
for _, value := range values { // range over []string
fmt.Println(key, value)
}
}
答案 1 :(得分:3)
对于正在寻找答案的其他人,我发现Gorilla's schema真有帮助。它允许您将表单解析为结构,并支持数组和嵌套结构。当您将其与guregu's null包结合使用时,您可以轻松地使用可选字段解析sructs。
示例Go:
package models
import (
"github.com/gorilla/schema"
"gopkg.in/guregu/null.v3"
)
type User struct {
Id null.Int `db:"id" json:"id"`
// Custom mapping for form input "user_name"
Name string `db:"user_name" json:"user_name" schema:"user_name"`
EmailAddress string `db:"email_address" json:"email_address"`
OptionalField null.String `db:"optional_field" json:"optional_field"`
}
示例html
<form>
<input type="text" name="user_name">
<input type="text" name="EmailAddress">
<input type="text" name="OptionalField">
</form>