Brak opisu

router.go 1.8KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485
  1. package router
  2. import (
  3. "net/http"
  4. "regexp"
  5. "strconv"
  6. "strings"
  7. )
  8. type closure func(http.ResponseWriter, *http.Request, []string)
  9. type Middleware func(http.ResponseWriter, *http.Request, []string) bool
  10. //Route struct de uma rota
  11. type Route struct {
  12. Pattern string
  13. Handler closure
  14. Middlewares []Middleware
  15. }
  16. //Routes array of route
  17. type Routes []Route
  18. var routes Routes
  19. //Match retorna a rota encontrada
  20. func (routes Routes) Match(w http.ResponseWriter, r *http.Request) bool {
  21. url := r.URL.Path
  22. for _, element := range routes {
  23. when := element.Pattern
  24. pattern := toRegex(when)
  25. items := regexSubmatch(pattern, url)
  26. if items[0] == url {
  27. if element.Middlewares != nil && len(element.Middlewares) > 0 {
  28. for _, mid := range element.Middlewares {
  29. if !mid(w, r, items) {
  30. return false
  31. }
  32. }
  33. }
  34. element.Handler(w, r, items)
  35. return true
  36. }
  37. }
  38. return false
  39. }
  40. //PatternURL coloca barra no final de url se não tiver
  41. func patternURL(url string) string {
  42. lastChar := url[len(url)-1:]
  43. if lastChar != "/" {
  44. url = url + "/"
  45. }
  46. return url
  47. }
  48. //ToRegex converte uma expressao imputada em expressão do go
  49. func toRegex(regex string) *regexp.Regexp {
  50. return regexp.MustCompile(`(?m)` + regex)
  51. }
  52. //RegexSubmatch cria os matches aplicando a padrão de regex inputado
  53. func regexSubmatch(pattern *regexp.Regexp, str string) []string {
  54. data := []string{""}
  55. items := pattern.FindAllStringSubmatch(str, -1)
  56. if len(items) > 0 {
  57. data = items[0]
  58. }
  59. return data
  60. }
  61. //ReplaceStringsURL alterar a url imputada colocando as variaveis da url inserida
  62. func replaceStringsURL(items []string, urlPattern string) string {
  63. for index, element := range items {
  64. urlPattern = strings.Replace(urlPattern, "$"+strconv.Itoa(index), element, -1)
  65. }
  66. return urlPattern
  67. }