2

我有一个管理表中的 json 字段的 rails 2 应用程序。它需要:

  • 读取 json
  • 将 json 转换为模型属性和表单字段
  • 将对表单字段的编辑保存到 json 字段中
  • 为某些 json 值添加验证
  • 适用于多种机型

目前,我有一个库文件,它手动添加方法以提取并保存到 json 中,如下所示:

module Configuration
  def configuration_json
    configuration? ? JSON.parse(self.configuration) : {}
  end

  def some_json_value
    if !self.configuration.nil? && configuration_json["parentKey"]
      configuration_json["parentKey"]["someJsonValue"]
    end
  end

  def some_json_value=(val)
    new_config = configuration_json.deep_merge({
      "FeatureConfiguration" => { "someJsonValue" => val }
    })
    self.configuration = new_config.to_json
  end

  def some_json_value_validation
    # ...
  end
end

在模型中,我包括了这个

class SomeModel < ActiveRecord::Base
  include Configuration
  validate :some_json_value_validation

  # ...
end

有没有更好/更干燥的方法?目前,当 json 结构发生变化时,它真的很笨重,因为在 rails 应用程序中有很多步骤需要修改。

我无法更改 json 字段的使用,因为它用于配置另一个应用程序,这是 rails 应用程序支持的主要应用程序。

4

1 回答 1

1

最好的方法是制作一个配置模型,并简单地制作一个to_json构建正确 json 对象的方法。

如果您真的想解析 json 并将其转换回每个操作,您可以创建一个助手来为您创建方法,例如json_attr_accessor

例子:

module Configuration

  def configuration_json
    configuration.present? ? JSON.parse(configuration) : {}
  end

  module ModelExtensions

    def json_attr_accessor(*symbols)
      symbols.each do |sym|

        key = sym.to_s.camelize(:lower)

        define_method(sym) do
          ['FC', key].reduce(configuration_json) do |json, key|
            json and json[key]
          end
        end

        define_method("#{sym}=") do |val|
          hash = configuration_json.deep_merge 'FC' => { key => val }
          self.configuration = hash.to_json
        end

      end
    end

  end

  def self.included(base)
    base.extend ModelExtensions
  end

end

在模型中:

class SomeModel < ActiveRecord::Base
  include Configuration
  json_attr_accessor :some_json_value
end

这是自定义验证器的帮助链接:

http://www.perfectline.ee/blog/building-ruby-on-rails-3-custom-validators

于 2013-03-03T22:47:42.127 回答