Brak opisu

router.go 1.5KB

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