1 回答
TA贡献1772条经验 获得超5个赞
执行模板不强制任何参数,Template.Execute()接受类型的值interface{}。
您是创建HomePage,RegisterPage和ContactPage结构的人。是什么阻止您嵌入BasePage具有所需字段的结构?你担心你会忘记它吗?你会在第一次测试时注意到它,我不会担心:
type BasePage struct {
Title string
Other string
// other required fields...
}
type HomePage struct {
BasePage
// other home page fields...
}
type RegisterPage struct {
BasePage
// other register page fields...
}
如果您想从代码中检查页面结构是否嵌入了BasePage,我推荐另一种方法:接口。
type HasBasePage interface {
GetBasePage() BasePage
}
HomePage实现它的示例:
type HomePage struct {
BasePage
// other home page fields...
}
func (h *HomePage) GetBasePage() BasePage {
return h.BasePage
}
现在显然只有具有GetBasePage()方法的页面才能作为值传递HasBasePage:
var page HasBasePage = &HomePage{} // Valid, HomePage implements HasBasePage
如果你不想使用接口,你可以使用reflect包来检查一个值是否是一个结构值,以及它是否嵌入了另一个接口。嵌入的结构出现并且可以像普通字段一样访问,例如 with Value.FieldByName(),类型名称是字段名称。
reflect用于检查值是否嵌入的示例代码BasePage:
page := &HomePage{BasePage: BasePage{Title: "Home page"}}
v := reflect.ValueOf(page)
if v.Kind() == reflect.Ptr {
v = v.Elem()
}
if v.Kind() != reflect.Struct {
fmt.Println("Error: not struct!")
return
}
bptype := reflect.TypeOf(BasePage{})
bp := v.FieldByName(bptype.Name()) // "BasePage"
if !bp.IsValid() || bp.Type() != bptype {
fmt.Println("Error: struct does not embed BasePage!")
return
}
fmt.Printf("%+v", bp)
输出(在 上尝试Go Playground):
{Title:Home page Other:}
- 1 回答
- 0 关注
- 159 浏览
添加回答
举报