如下所示重构重复代码库的最佳方法是什么?我在Golang上看了几个不同的方法,但是无法快速找到有用的东西。我还在使用带有Swagger的go-restful
包
func (api ApiResource) registerLostLogin(container *restful.Container) {
ws := new(restful.WebService)
ws.
Path("/lostlogin").
Doc("Lost login").
Consumes(restful.MIME_JSON, restful.MIME_XML).
Produces(restful.MIME_JSON, restful.MIME_JSON) // you can specify this per route as well
ws.Route(ws.POST("").To(api.authenticate).
Doc("Performs lost login actions").
Operation("lostlogin").
Reads(LostLogin{})) // from the request
container.Add(ws)
}
func (api ApiResource) registerAccount(container *restful.Container) {
ws := new(restful.WebService)
ws.
Path("/account").
Doc("Account calls").
Consumes(restful.MIME_JSON, restful.MIME_XML).
Produces(restful.MIME_JSON, restful.MIME_JSON) // you can specify this per route as well
ws.Route(ws.POST("").To(api.authenticate).
Doc("Register calls").
Operation("register").
Reads(Account{}))
ws.Route(ws.PUT("").To(api.authenticate).
Doc("Modify user details").
Operation("modifyUserDetails").
Reads(Account{}))
ws.Route(ws.PUT("security").To(api.authenticate).
Doc("Modify security question").
Operation("modifySeucirtyQuestion").
Reads(Account{}))
ws.Route(ws.PUT("limit").To(api.authenticate).
Doc("Modify limit").
Operation("modifyLimit").
Reads(Account{}))
ws.Route(ws.PUT("password").To(api.authenticate).
Doc("Modify password").
Operation("modifyPassword").
Reads(Account{}))
container.Add(ws)
}
func main() {
// to see what happens in the package, uncomment the following
restful.TraceLogger(log.New(os.Stdout, "[restful] ", log.LstdFlags|log.Lshortfile))
wsContainer := restful.NewContainer()
api := ApiResource{map[string]intapi.OxiResp{}}
api.registerLogin(wsContainer)
api.registerAccount(wsContainer)
api.registerLostLogin(wsContainer)
api.registerWallet(wsContainer)
config := swagger.Config{
WebServices: wsContainer.RegisteredWebServices(), // you control what services are visible
WebServicesUrl: "http://localhost:8080",
ApiPath: "/apidocs.json",
SwaggerPath: "/apidocs/",
SwaggerFilePath: "/Users/aa/IdeaProjects/go_projects/src/test1/src/swagger-ui/dist",
DisableCORS: false}
swagger.RegisterSwaggerService(config, wsContainer)
log.Printf("start listening on localhost:8080")
server := &http.Server{Addr: ":8080", Handler: wsContainer}
log.Fatal(server.ListenAndServe())
}
我主要担心的是所有被复制的重复。如果我用ApiResource的接收器使用deference运算符和指针会不会更好?
答案 0 :(得分:1)
你当然可以把它们包起来......也许是这样的:
type registration func(container *restful.Container, ws *restul.WebService)
func registerHandlers(handlers ...registration) {
c := restful.NewContainer()
ws := new(restful.WebService)
for _, h := range handlers {
h(c, ws)
}
}
然后调用它,传递所有方法:
api := ApiResource{map[string]intapi.OxiResp{}}
registerHandlers(api.registerLostLogin,
api.registerAccount)
然后您只需要接受方法中的WebService
实例:
func (api ApiResource) registerAccount(container *restful.Container, ws *restful.WebService)
至少在方法调用中重用WebService
实例。但是更多的代码。