/router.go

http://github.com/dbrain/soggy · Go · 325 lines · 279 code · 43 blank · 3 comment · 85 complexity · e13cb1f8e8a40f123a411a4deeeecdf5 MD5 · raw file

  1. package soggy
  2. import (
  3. "regexp"
  4. "log"
  5. "reflect"
  6. "net/http"
  7. )
  8. const (
  9. CALL_TYPE_EMPTY = iota
  10. CALL_TYPE_CTX_ONLY
  11. CALL_TYPE_CTX_AND_PARAMS
  12. CALL_TYPE_PARAMS_ONLY
  13. CALL_TYPE_HANDLER_FUNC
  14. )
  15. const (
  16. RETURN_TYPE_EMPTY = iota
  17. RETURN_TYPE_STRING
  18. RETURN_TYPE_JSON
  19. RETURN_TYPE_RENDER
  20. )
  21. const (
  22. GET_METHOD = "GET"
  23. POST_METHOD = "POST"
  24. DELETE_METHOD = "DELETE"
  25. PUT_METHOD = "PUT"
  26. HEAD_METHOD = "HEAD"
  27. ALL_METHODS = "*"
  28. )
  29. const (
  30. ANY_PATH = "(.*)"
  31. )
  32. type SoggyRouter interface {
  33. Middleware
  34. AddRoute(method string, path string, handler ...interface{})
  35. }
  36. type Router struct {
  37. RouteBundles []*RouteBundle
  38. }
  39. type RouteBundle struct {
  40. method string
  41. path *regexp.Regexp
  42. Routes []*Route
  43. }
  44. type Route struct {
  45. handler reflect.Value
  46. argCount int
  47. callType int
  48. returnType int
  49. returnHasError bool
  50. returnHasStatusCode bool
  51. }
  52. var contextType = reflect.TypeOf(Context{})
  53. var requestType = reflect.TypeOf(http.Request{})
  54. var errorType = reflect.TypeOf((*error)(nil)).Elem()
  55. var httpHandlerType = reflect.TypeOf((*http.Handler)(nil)).Elem()
  56. var httpResponseWriterType = reflect.TypeOf((*http.ResponseWriter)(nil)).Elem()
  57. func (route *Route) CacheCallType(routePath *regexp.Regexp) {
  58. handlerType := route.handler.Type()
  59. if (handlerType.Kind() == reflect.Ptr && handlerType.Elem().Implements(httpHandlerType)) || handlerType.Implements(httpHandlerType) {
  60. httpHandler := route.handler.Interface().(http.Handler)
  61. route.handler = reflect.ValueOf(func (res http.ResponseWriter, req *http.Request) {
  62. httpHandler.ServeHTTP(res, req)
  63. })
  64. route.callType = CALL_TYPE_HANDLER_FUNC
  65. route.argCount = 2
  66. return
  67. }
  68. if handlerType.Kind() != reflect.Func {
  69. panic("Route handlers must be a http.Handler or a func. Broken for " + routePath.String())
  70. }
  71. argCount := handlerType.NumIn()
  72. route.argCount = argCount
  73. if argCount == 0 {
  74. route.callType = CALL_TYPE_EMPTY
  75. return
  76. }
  77. firstArg := handlerType.In(0)
  78. if firstArg.Kind() == reflect.Ptr && firstArg.Elem() == contextType {
  79. if argCount > 1 {
  80. route.callType = CALL_TYPE_CTX_AND_PARAMS
  81. } else {
  82. route.callType = CALL_TYPE_CTX_ONLY
  83. }
  84. return
  85. }
  86. if argCount == 2 {
  87. secondArg := handlerType.In(1)
  88. if firstArg.Implements(httpResponseWriterType) && secondArg.Kind() == reflect.Ptr && secondArg.Elem() == requestType {
  89. route.callType = CALL_TYPE_HANDLER_FUNC
  90. return
  91. }
  92. }
  93. route.callType = CALL_TYPE_PARAMS_ONLY
  94. }
  95. func (route *Route) CacheReturnType() {
  96. handlerType := route.handler.Type()
  97. outCount := handlerType.NumOut();
  98. outSkip := 0
  99. if outCount == 0 {
  100. route.returnType = RETURN_TYPE_EMPTY
  101. route.returnHasError = false
  102. return
  103. }
  104. hasError := handlerType.Out(outCount - 1) == errorType
  105. route.returnHasError = hasError
  106. if hasError { outCount-- }
  107. if outCount == 0 {
  108. route.returnType = RETURN_TYPE_EMPTY
  109. return
  110. }
  111. hasStatusCode := handlerType.Out(0).Kind() == reflect.Int
  112. route.returnHasStatusCode = hasStatusCode
  113. if hasStatusCode {
  114. outCount--
  115. outSkip++
  116. }
  117. if (outCount == 0) {
  118. route.returnType = RETURN_TYPE_EMPTY
  119. return
  120. }
  121. if outCount > 2 {
  122. panic("Handler has more return values than expected.")
  123. } else if outCount == 2 {
  124. route.returnType = RETURN_TYPE_RENDER
  125. return
  126. } else if handlerType.Out(outSkip).Kind() == reflect.String {
  127. route.returnType = RETURN_TYPE_STRING
  128. return
  129. }
  130. route.returnType = RETURN_TYPE_JSON
  131. }
  132. func (routeBundle *RouteBundle) CallBundle(ctx *Context, relativePath string) {
  133. routes := routeBundle.Routes
  134. if len(routes) == 1 {
  135. routes[0].CallHandler(ctx, routeBundle.path, relativePath)
  136. } else {
  137. var next func(interface{})
  138. var routeCtx *Context
  139. nextIndex := 0
  140. next = func (err interface{}) {
  141. if err != nil {
  142. ctx.Next(err)
  143. } else if nextIndex < len(routes) {
  144. currentIndex := nextIndex
  145. nextIndex++
  146. routes[currentIndex].CallHandler(routeCtx, routeBundle.path, relativePath)
  147. }
  148. }
  149. routeCtx = &Context{ ctx.Req, ctx.Res, ctx.Server, ctx.Env, next }
  150. next(nil)
  151. }
  152. }
  153. func (route *Route) CallHandler(ctx *Context, routePath *regexp.Regexp, relativePath string) {
  154. var args []reflect.Value
  155. callType := route.callType
  156. urlParams := routePath.FindStringSubmatch(relativePath)[1:]
  157. ctx.Req.URLParams = urlParams
  158. switch callType {
  159. case CALL_TYPE_HANDLER_FUNC:
  160. args = []reflect.Value{ reflect.ValueOf(ctx.Res), reflect.ValueOf(ctx.Req.Request) }
  161. case CALL_TYPE_CTX_ONLY, CALL_TYPE_CTX_AND_PARAMS:
  162. args = append(args, reflect.ValueOf(ctx))
  163. }
  164. if callType == CALL_TYPE_PARAMS_ONLY || callType == CALL_TYPE_CTX_AND_PARAMS {
  165. for _, param := range urlParams {
  166. args = append(args, reflect.ValueOf(param))
  167. }
  168. }
  169. if len(args) < route.argCount {
  170. log.Println("Route", routePath.String(), "expects", route.argCount, "arguments but only got", len(args), ". Padding.")
  171. for len(args) < route.argCount {
  172. args = append(args, reflect.ValueOf(""))
  173. }
  174. } else if len(args) > route.argCount {
  175. log.Println("Route", routePath.String(), "expects", route.argCount, "arguments but got", len(args), ". Trimming.")
  176. args = args[:route.argCount]
  177. }
  178. result, err := route.safelyCall(args, routePath)
  179. if err != nil {
  180. ctx.Next(err)
  181. return
  182. }
  183. err = route.renderResult(ctx, result)
  184. if err != nil {
  185. ctx.Next(err)
  186. }
  187. }
  188. func (route *Route) renderResult(ctx *Context, result []reflect.Value) interface{} {
  189. if route.returnHasError {
  190. err := result[len(result)-1]
  191. if !err.IsNil() {
  192. return err.Interface()
  193. }
  194. }
  195. statusCode := http.StatusOK
  196. if route.returnHasStatusCode {
  197. statusCode = result[0].Interface().(int)
  198. result = result[1:len(result)]
  199. }
  200. // If the return is the zero value for the type its not rendered
  201. // This is to allow routes to pass control on without rendering when control comes back.
  202. // This may come back to bite me or cause weird issues for users. Document well.
  203. switch route.returnType {
  204. case RETURN_TYPE_EMPTY:
  205. return nil
  206. case RETURN_TYPE_RENDER:
  207. if template := result[0].String(); template != "" {
  208. return ctx.Res.Render(statusCode, template, result[1].Interface())
  209. }
  210. case RETURN_TYPE_STRING:
  211. if html := result[0].String(); html != "" {
  212. return ctx.Res.Html(statusCode, html)
  213. }
  214. case RETURN_TYPE_JSON:
  215. if !result[0].IsNil() {
  216. return ctx.Res.Json(statusCode, result[0].Interface())
  217. }
  218. }
  219. return nil
  220. }
  221. func (route *Route) safelyCall(args []reflect.Value, routePath *regexp.Regexp) (result []reflect.Value, err interface{}) {
  222. defer func() {
  223. if err = recover(); err != nil {
  224. log.Println("Handler for route", routePath.String(), "paniced with", err)
  225. }
  226. }()
  227. return route.handler.Call(args), err
  228. }
  229. func (router *Router) AddRoute(method string, path string, handlers ...interface{}) {
  230. rawRegex := "^" + SaneURLPath(path) + "$"
  231. routeRegex, err := regexp.Compile(rawRegex)
  232. if err != nil {
  233. log.Println("Could not compile route regex", rawRegex, ":", err)
  234. return
  235. }
  236. routeBundle := &RouteBundle{ method, routeRegex, make([]*Route, 0, 1) }
  237. for _, handler := range handlers {
  238. handlerValue := reflect.ValueOf(handler)
  239. route := &Route{ handler: handlerValue }
  240. route.CacheCallType(routeRegex)
  241. route.CacheReturnType()
  242. routeBundle.Routes = append(routeBundle.Routes, route)
  243. }
  244. router.RouteBundles = append(router.RouteBundles, routeBundle)
  245. }
  246. func (router *Router) findRoute(method, relativePath string, start int) (*RouteBundle, int) {
  247. routeBundles := router.RouteBundles
  248. for i := start; i < len(routeBundles); i++ {
  249. route := routeBundles[i];
  250. if route.method == method || route.method == ALL_METHODS {
  251. if route.path.MatchString(relativePath) {
  252. return route, i + 1
  253. }
  254. }
  255. }
  256. return nil, -1
  257. }
  258. func (router *Router) Execute(middlewareCtx *Context) {
  259. var next func(interface{})
  260. var context *Context
  261. method := middlewareCtx.Req.Method
  262. relativePath := middlewareCtx.Req.RelativePath
  263. routeIndex := 0
  264. next = func (err interface{}) {
  265. if err != nil {
  266. middlewareCtx.Next(err)
  267. return
  268. }
  269. var routeBundle *RouteBundle
  270. routeBundle, routeIndex = router.findRoute(method, relativePath, routeIndex)
  271. if routeBundle != nil {
  272. routeBundle.CallBundle(context, relativePath)
  273. } else {
  274. middlewareCtx.Next(nil)
  275. }
  276. }
  277. context = &Context{ middlewareCtx.Req, middlewareCtx.Res, middlewareCtx.Server, middlewareCtx.Env, next }
  278. next(nil)
  279. }
  280. func NewRouter() *Router {
  281. return &Router{ RouteBundles: make([]*RouteBundle, 0, 5) }
  282. }