/i18n.go

http://github.com/robfig/revel · Go · 188 lines · 142 code · 30 blank · 16 comment · 36 complexity · cb03a176aa78c34766adbcea4e810e6f MD5 · raw file

  1. package revel
  2. import (
  3. "fmt"
  4. "github.com/robfig/config"
  5. "os"
  6. "path/filepath"
  7. "regexp"
  8. "strings"
  9. )
  10. const (
  11. CurrentLocaleRenderArg = "currentLocale" // The key for the current locale render arg value
  12. messageFilesDirectory = "messages"
  13. messageFilePattern = `^\w+.[a-zA-Z]{2}$`
  14. unknownValueFormat = "??? %s ???"
  15. defaultLanguageOption = "i18n.default_language"
  16. localeCookieConfigKey = "i18n.cookie"
  17. )
  18. var (
  19. // All currently loaded message configs.
  20. messages map[string]*config.Config
  21. )
  22. // Return all currently loaded message languages.
  23. func MessageLanguages() []string {
  24. languages := make([]string, len(messages))
  25. i := 0
  26. for language, _ := range messages {
  27. languages[i] = language
  28. i++
  29. }
  30. return languages
  31. }
  32. // Perform a message look-up for the given locale and message using the given arguments.
  33. //
  34. // When either an unknown locale or message is detected, a specially formatted string is returned.
  35. func Message(locale, message string, args ...interface{}) string {
  36. language, region := parseLocale(locale)
  37. messageConfig, knownLanguage := messages[language]
  38. if !knownLanguage {
  39. TRACE.Printf("Unsupported language for locale '%s' and message '%s', trying default language", locale, message)
  40. if defaultLanguage, found := Config.String(defaultLanguageOption); found {
  41. TRACE.Printf("Using default language '%s'", defaultLanguage)
  42. messageConfig, knownLanguage = messages[defaultLanguage]
  43. if !knownLanguage {
  44. WARN.Printf("Unsupported default language for locale '%s' and message '%s'", defaultLanguage, message)
  45. return fmt.Sprintf(unknownValueFormat, message)
  46. }
  47. } else {
  48. WARN.Printf("Unable to find default language option (%s); messages for unsupported locales will never be translated", defaultLanguageOption)
  49. return fmt.Sprintf(unknownValueFormat, message)
  50. }
  51. }
  52. // This works because unlike the goconfig documentation suggests it will actually
  53. // try to resolve message in DEFAULT if it did not find it in the given section.
  54. value, error := messageConfig.String(region, message)
  55. if error != nil {
  56. WARN.Printf("Unknown message '%s' for locale '%s'", message, locale)
  57. return fmt.Sprintf(unknownValueFormat, message)
  58. }
  59. if len(args) > 0 {
  60. TRACE.Printf("Arguments detected, formatting '%s' with %v", value, args)
  61. value = fmt.Sprintf(value, args...)
  62. }
  63. return value
  64. }
  65. func parseLocale(locale string) (language, region string) {
  66. if strings.Contains(locale, "-") {
  67. languageAndRegion := strings.Split(locale, "-")
  68. return languageAndRegion[0], languageAndRegion[1]
  69. }
  70. return locale, ""
  71. }
  72. // Recursively read and cache all available messages from all message files on the given path.
  73. func loadMessages(path string) {
  74. messages = make(map[string]*config.Config)
  75. if error := filepath.Walk(path, loadMessageFile); error != nil && !os.IsNotExist(error) {
  76. ERROR.Println("Error reading messages files:", error)
  77. }
  78. }
  79. // Load a single message file
  80. func loadMessageFile(path string, info os.FileInfo, osError error) error {
  81. if osError != nil {
  82. return osError
  83. }
  84. if info.IsDir() {
  85. return nil
  86. }
  87. if matched, _ := regexp.MatchString(messageFilePattern, info.Name()); matched {
  88. if config, error := parseMessagesFile(path); error != nil {
  89. return error
  90. } else {
  91. locale := parseLocaleFromFileName(info.Name())
  92. // If we have already parsed a message file for this locale, merge both
  93. if _, exists := messages[locale]; exists {
  94. messages[locale].Merge(config)
  95. TRACE.Printf("Successfully merged messages for locale '%s'", locale)
  96. } else {
  97. messages[locale] = config
  98. }
  99. TRACE.Println("Successfully loaded messages from file", info.Name())
  100. }
  101. } else {
  102. TRACE.Printf("Ignoring file %s because it did not have a valid extension", info.Name())
  103. }
  104. return nil
  105. }
  106. func parseMessagesFile(path string) (messageConfig *config.Config, error error) {
  107. messageConfig, error = config.ReadDefault(path)
  108. return
  109. }
  110. func parseLocaleFromFileName(file string) string {
  111. extension := filepath.Ext(file)[1:]
  112. return strings.ToLower(extension)
  113. }
  114. func init() {
  115. OnAppStart(func() {
  116. loadMessages(filepath.Join(BasePath, messageFilesDirectory))
  117. })
  118. }
  119. func I18nFilter(c *Controller, fc []Filter) {
  120. if foundCookie, cookieValue := hasLocaleCookie(c.Request); foundCookie {
  121. TRACE.Printf("Found locale cookie value: %s", cookieValue)
  122. setCurrentLocaleControllerArguments(c, cookieValue)
  123. } else if foundHeader, headerValue := hasAcceptLanguageHeader(c.Request); foundHeader {
  124. TRACE.Printf("Found Accept-Language header value: %s", headerValue)
  125. setCurrentLocaleControllerArguments(c, headerValue)
  126. } else {
  127. TRACE.Println("Unable to find locale in cookie or header, using empty string")
  128. setCurrentLocaleControllerArguments(c, "")
  129. }
  130. fc[0](c, fc[1:])
  131. }
  132. // Set the current locale controller argument (CurrentLocaleControllerArg) with the given locale.
  133. func setCurrentLocaleControllerArguments(c *Controller, locale string) {
  134. c.Request.Locale = locale
  135. c.RenderArgs[CurrentLocaleRenderArg] = locale
  136. }
  137. // Determine whether the given request has valid Accept-Language value.
  138. //
  139. // Assumes that the accept languages stored in the request are sorted according to quality, with top
  140. // quality first in the slice.
  141. func hasAcceptLanguageHeader(request *Request) (bool, string) {
  142. if request.AcceptLanguages != nil && len(request.AcceptLanguages) > 0 {
  143. return true, request.AcceptLanguages[0].Language
  144. }
  145. return false, ""
  146. }
  147. // Determine whether the given request has a valid language cookie value.
  148. func hasLocaleCookie(request *Request) (bool, string) {
  149. if request != nil && request.Cookies() != nil {
  150. name := Config.StringDefault(localeCookieConfigKey, CookiePrefix+"_LANG")
  151. if cookie, error := request.Cookie(name); error == nil {
  152. return true, cookie.Value
  153. } else {
  154. TRACE.Printf("Unable to read locale cookie with name '%s': %s", name, error.Error())
  155. }
  156. }
  157. return false, ""
  158. }