/internal/fnmatch/fnmatch.go

https://gitlab.com/steamdriven80/syncthing · Go · 86 lines · 64 code · 12 blank · 10 comment · 15 complexity · 555db78a191d339c7eaf25876ddad5e8 MD5 · raw file

  1. // Copyright (C) 2014 The Syncthing Authors.
  2. //
  3. // This Source Code Form is subject to the terms of the Mozilla Public
  4. // License, v. 2.0. If a copy of the MPL was not distributed with this file,
  5. // You can obtain one at http://mozilla.org/MPL/2.0/.
  6. package fnmatch
  7. import (
  8. "path/filepath"
  9. "regexp"
  10. "runtime"
  11. "strings"
  12. )
  13. const (
  14. NoEscape = (1 << iota)
  15. PathName
  16. CaseFold
  17. )
  18. func Convert(pattern string, flags int) (*regexp.Regexp, error) {
  19. any := "."
  20. switch runtime.GOOS {
  21. case "windows":
  22. flags |= NoEscape | CaseFold
  23. pattern = filepath.FromSlash(pattern)
  24. if flags&PathName != 0 {
  25. any = "[^\\\\]"
  26. }
  27. case "darwin":
  28. flags |= CaseFold
  29. fallthrough
  30. default:
  31. if flags&PathName != 0 {
  32. any = "[^/]"
  33. }
  34. }
  35. // Support case insensitive ignores
  36. ignore := strings.TrimPrefix(pattern, "(?i)")
  37. if ignore != pattern {
  38. flags |= CaseFold
  39. pattern = ignore
  40. }
  41. if flags&NoEscape != 0 {
  42. pattern = strings.Replace(pattern, "\\", "\\\\", -1)
  43. } else {
  44. pattern = strings.Replace(pattern, "\\*", "[:escapedstar:]", -1)
  45. pattern = strings.Replace(pattern, "\\?", "[:escapedques:]", -1)
  46. pattern = strings.Replace(pattern, "\\.", "[:escapeddot:]", -1)
  47. }
  48. // Characters that are special in regexps but not in glob, must be
  49. // escaped.
  50. for _, char := range []string{".", "+", "$", "^", "(", ")", "|"} {
  51. pattern = strings.Replace(pattern, char, "\\"+char, -1)
  52. }
  53. pattern = strings.Replace(pattern, "**", "[:doublestar:]", -1)
  54. pattern = strings.Replace(pattern, "*", any+"*", -1)
  55. pattern = strings.Replace(pattern, "[:doublestar:]", ".*", -1)
  56. pattern = strings.Replace(pattern, "?", any, -1)
  57. pattern = strings.Replace(pattern, "[:escapedstar:]", "\\*", -1)
  58. pattern = strings.Replace(pattern, "[:escapedques:]", "\\?", -1)
  59. pattern = strings.Replace(pattern, "[:escapeddot:]", "\\.", -1)
  60. pattern = "^" + pattern + "$"
  61. if flags&CaseFold != 0 {
  62. pattern = "(?i)" + pattern
  63. }
  64. return regexp.Compile(pattern)
  65. }
  66. // Matches the pattern against the string, with the given flags,
  67. // and returns true if the match is successful.
  68. func Match(pattern, s string, flags int) (bool, error) {
  69. exp, err := Convert(pattern, flags)
  70. if err != nil {
  71. return false, err
  72. }
  73. return exp.MatchString(s), nil
  74. }