Tool to help you manage your Grafana dashboards using Git.

unidecode.go 1.2KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758
  1. // Package unidecode implements a unicode transliterator
  2. // which replaces non-ASCII characters with their ASCII
  3. // approximations.
  4. package unidecode
  5. //go:generate go run make_table.go
  6. import (
  7. "sync"
  8. "unicode"
  9. )
  10. const pooledCapacity = 64
  11. var (
  12. slicePool sync.Pool
  13. decodingOnce sync.Once
  14. )
  15. // Unidecode implements a unicode transliterator, which
  16. // replaces non-ASCII characters with their ASCII
  17. // counterparts.
  18. // Given an unicode encoded string, returns
  19. // another string with non-ASCII characters replaced
  20. // with their closest ASCII counterparts.
  21. // e.g. Unicode("áéíóú") => "aeiou"
  22. func Unidecode(s string) string {
  23. decodingOnce.Do(decodeTransliterations)
  24. l := len(s)
  25. var r []rune
  26. if l > pooledCapacity {
  27. r = make([]rune, 0, len(s))
  28. } else {
  29. if x := slicePool.Get(); x != nil {
  30. r = x.([]rune)[:0]
  31. } else {
  32. r = make([]rune, 0, pooledCapacity)
  33. }
  34. }
  35. for _, c := range s {
  36. if c <= unicode.MaxASCII {
  37. r = append(r, c)
  38. continue
  39. }
  40. if c > unicode.MaxRune || c > transCount {
  41. /* Ignore reserved chars */
  42. continue
  43. }
  44. if d := transliterations[c]; d != nil {
  45. r = append(r, d...)
  46. }
  47. }
  48. res := string(r)
  49. if l <= pooledCapacity {
  50. slicePool.Put(r)
  51. }
  52. return res
  53. }