Brak opisu

router.go 1.6KB

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