Brak opisu

router.go 1.8KB

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