2

我为 User 表中的每个用户设置了语言环境。我按照这些说明在用户登录后获取语言环境。它一直工作到用户重新加载浏览器,然后标准语言环境(en)再次变为活动状态。如何在会话中保留 user.locale 的值?我正在使用 Rails_Admin,这意味着虽然我有一个用户模型,但我没有用户模型的控制器。

 # ApplicationController
 def after_sign_in_path_for(resource_or_scope)
  if resource_or_scope.is_a?(User) && resource_or_scope.locale !=  I18n.locale
    I18n.locale = resource_or_scope.locale
  end
  super
end 
4

3 回答 3

4

虽然将它放在会话中是一个有效的答案,但您可以使用该current_user方法获取用户的语言环境(并使您的会话保持清洁)

class ApplicationController < ActionController::Base
  protect_from_forgery
  before_filter :set_locale # get locale directly from the user model

  def set_locale
    I18n.locale = user_signed_in? ? current_user.locale.to_sym : I18n.default_locale
  end
end
于 2012-10-19T20:07:42.917 回答
3

每次用户调用操作时,管理将其保存在会话中并从会话中检索它(ApplicationController 中的 before_filter):

class ApplicationController < ActionController::Base
  protect_from_forgery
  before_filter :set_locale # get locale from session when user reloads the page

  # get locale of user
  def after_sign_in_path_for(resource_or_scope)
    if resource_or_scope.is_a?(User) && resource_or_scope.locale.to_sym !=  I18n.locale
      I18n.locale = resource_or_scope.locale.to_sym # no strings accepted
      session[:locale] = I18n.locale      
    end        
    super
  end

  def set_locale
    I18n.locale = session[:locale]
  end
end
于 2012-10-19T20:01:56.437 回答
1

我在我的用户模型中添加了一个名为 user_locale 的字符串列,然后向应用程序控制器添加了代码。允许将 storage、default 和 locale 用作参数。

移民:

class AddLocaleToUser < ActiveRecord::Migration
 def change
   add_column :users, :user_locale, :string
 end
end 

application_controller.rb:

before_action :set_locale

private 

def set_locale
 valid_locales=['en','es']

 if !params[:locale].nil? && valid_locales.include?(params[:locale]) 
   I18n.locale=params[:locale]
   current_user.update_attribute(:user_locale,I18n.locale) if user_signed_in?
 elsif user_signed_in? && valid_locales.include?(current_user.user_locale)
   I18n.locale=current_user.user_locale
 else
  I18n.locale=I18n.default_locale
 end
end
于 2014-10-17T19:24:12.890 回答