Bez popisu

main.go 1.5KB

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