2

ローカライズされた名前フィールドに などのローカライズされた属性を提供するために、 globalize gem とglobalize-accessors gemを使用して翻訳されたフィールドを持つモデルがあります。name_enname_zh_hk

例えば:

class Person < ActiveRecord::Base
  translates :name
  globalize_accessors: locales: [:en, :"zh-HK"], attributes: [:name]

  # problem is:
  validates :name, presence: true, uniqueness: true
end

そのため、name_en と name_zh_hk は、対応するロケールで正しく値を取得および設定できるようになりました。

ただし、 はvalidates :namePerson モデルの name フィールドのみを検証します。また、中国語入力の一意性を検証したいと考えています。

要するに、name_en と name_zh_hk の両方の一意性を検証する (簡単な) 方法が欲しい

** name_en と name_hk の両方を送信するフォームがあります。

4

4 に答える 4

0

以下のコードで解決。

モデル

# /app/models/category.rb

...
I18n.available_locales.each do |locale|
    validates :"name_#{locale}", presence: true, length: { maximum: 5 }, uniqueness: true
end

バリデーター

# config/initializers/associated_translations_uniqueness_validator.rb

require 'active_record'
require 'active_record/validations/uniqueness.rb'

ActiveRecord::Validations::UniquenessValidator.class_eval do
  def validate_each_with_associated_translations(record, attribute, value)
    klass = record.class
    if klass.translates? && !klass.translated?(attribute) && klass.globalize_attribute_names.include?(attribute)
      attribute_parts = attribute.to_s.rpartition('_')
      raw_attribute = attribute_parts.first.to_sym
      locale = attribute_parts.last.to_sym

      finder_class = klass.translation_class
      table = finder_class.arel_table

      relation = build_relation(finder_class, table, raw_attribute, value).and(table[:locale].eq(locale))
      relation = relation.and(table[klass.reflect_on_association(:translations).foreign_key].not_eq(record.send(:id))) if record.persisted?

      translated_scopes = Array(options[:scope]) & klass.translated_attribute_names
      untranslated_scopes = Array(options[:scope]) - translated_scopes

      untranslated_scopes.each do |scope_item|
        scope_value = record.send(scope_item)
        reflection = klass.reflect_on_association(scope_item)
        if reflection
          scope_value = record.send(reflection.foreign_key)
          scope_item = reflection.foreign_key
        end
        relation = relation.and(find_finder_class_for(record).arel_table[scope_item].eq(scope_value))
      end

      translated_scopes.each do |scope_item|
        scope_value = record.send(scope_item)
        relation = relation.and(table[scope_item].eq(scope_value))
      end

      if klass.unscoped.with_translations.where(relation).exists?
        record.errors.add(attribute, :taken, options.except(:case_sensitive, :scope).merge(:value => value))
      end
    else
      validate_each_without_associated_translations(record, attribute, value)
    end
  end
  alias_method_chain :validate_each, :associated_translations
end
于 2016-02-05T21:56:11.583 に答える