[ruby-on-rails] json 형식의 키 값 쌍을 기호를 키로 사용하는 루비 해시로 변환하는 가장 좋은 방법은 무엇입니까?

json 형식의 키 값 쌍을 기호를 키로 사용하는 루비 해시로 변환하는 가장 좋은 방법이 무엇인지 궁금합니다. 예 :

{ 'user': { 'name': 'foo', 'age': 40, 'location': { 'city' : 'bar', 'state': 'ca' } } }
==>
{ :user=>{ :name => 'foo', :age =>'40', :location=>{ :city => 'bar', :state=>'ca' } } }

이 작업을 수행 할 수있는 도우미 메서드가 있습니까?



답변

json 문자열을 구문 분석 할 때 json gem을 사용하여 symbolize_names 옵션을 전달할 수 있습니다. 여기를 참조하십시오 : http://flori.github.com/json/doc/index.html (구문 분석 아래 참조 )

예 :

>> s ="{\"akey\":\"one\",\"bkey\":\"two\"}"
>> JSON.parse(s,:symbolize_names => true)
=> {:akey=>"one", :bkey=>"two"} 


답변

Leventix, 귀하의 답변에 감사드립니다.

Marshal.load (Marshal.dump (H)) 원래 키 유형을 보존하기 때문에 방법은 아마 다양한 방법의 가장 무결성을 가지고 반복적으로 .

이는 문자열과 기호 키가 혼합 된 중첩 된 해시가 있고 디코딩시 해당 혼합을 보존하려는 경우에 중요합니다 (예를 들어, 해시에 고도로 복잡 / 중첩 된 세 번째 개체 외에 고유 한 사용자 지정 개체가 포함 된 경우 발생할 수 있음) -프로젝트 시간 제약과 같이 어떤 이유로 든 키를 조작 / 변환 할 수없는 파티 개체).

예 :

h = {
      :youtube => {
                    :search   => 'daffy',                 # nested symbol key
                    'history' => ['goofy', 'mickey']      # nested string key
                  }
    }

방법 1 : JSON.parse-모든 키를 재귀 적으로 상징 => 원본 믹스를 보존하지 않음

JSON.parse( h.to_json, {:symbolize_names => true} )
  => { :youtube => { :search=> "daffy", :history => ["goofy", "mickey"] } } 

방법 2 : ActiveSupport :: JSON.decode-최상위 키만 상징 => 원본 믹스를 보존하지 않음

ActiveSupport::JSON.decode( ActiveSupport::JSON.encode(h) ).symbolize_keys
  => { :youtube => { "search" => "daffy", "history" => ["goofy", "mickey"] } }

방법 3 : Marshal.load-중첩 된 키에서 원래 문자열 / 기호 혼합을 유지합니다. 완전한!

Marshal.load( Marshal.dump(h) )
  => { :youtube => { :search => "daffy", "history" => ["goofy", "mickey"] } }

내가 알지 못하는 단점이 없다면 방법 3이 갈 길이라고 생각합니다.

건배


답변

트릭을 수행하기 위해 내장 된 것은 없지만 JSON gem을 사용하여 코드를 작성하는 것은 그리 어렵지 않습니다. 이를 symbolize_keys사용하는 경우 Rails에 내장 된 메서드 가 있지만 필요한 것처럼 키를 재귀 적으로 상징하지 않습니다.

require 'json'

def json_to_sym_hash(json)
  json.gsub!('\'', '"')
  parsed = JSON.parse(json)
  symbolize_keys(parsed)
end

def symbolize_keys(hash)
  hash.inject({}){|new_hash, key_value|
    key, value = key_value
    value = symbolize_keys(value) if value.is_a?(Hash)
    new_hash[key.to_sym] = value
    new_hash
  }
end

Leventix가 말했듯이 JSON gem은 큰 따옴표로 묶인 문자열 만 처리합니다 (기술적으로 정확합니다-JSON은 큰 따옴표로 형식화되어야 함). 이 코드는 구문 분석을 시도하기 전에이를 정리합니다.


답변

재귀 방법 :

require 'json'

def JSON.parse(source, opts = {})
  r = JSON.parser.new(source, opts).parse
  r = keys_to_symbol(r) if opts[:symbolize_names]
  return r
end

def keys_to_symbol(h)
  new_hash = {}
  h.each do |k,v|
    if v.class == String || v.class == Fixnum || v.class == Float
      new_hash[k.to_sym] = v
    elsif v.class == Hash
      new_hash[k.to_sym] = keys_to_symbol(v)
    elsif v.class == Array
      new_hash[k.to_sym] = keys_to_symbol_array(v)
    else
      raise ArgumentError, "Type not supported: #{v.class}"
    end
  end
  return new_hash
end

def keys_to_symbol_array(array)
  new_array = []
  array.each do |i|
    if i.class == Hash
      new_array << keys_to_symbol(i)
    elsif i.class == Array
      new_array << keys_to_symbol_array(i)
    else
      new_array << i
    end
  end
  return new_array
end


답변

물론 json gem 이 있지만 큰 따옴표 만 처리합니다.


답변

이를 처리하는 또 다른 방법은 YAML 직렬화 / 역 직렬화를 사용하는 것입니다. 이는 키의 형식도 유지합니다.

YAML.load({test: {'test' => { ':test' => 5}}}.to_yaml)
=> {:test=>{"test"=>{":test"=>5}}}

이 접근 방식의 이점은 REST 서비스에 더 적합한 형식 인 것 같습니다.


답변

가장 편리한 방법은 nice_hash gem을 사용하는 것입니다 : https://github.com/MarioRuiz/nice_hash

require 'nice_hash'
my_str = "{ 'user': { 'name': 'foo', 'age': 40, 'location': { 'city' : 'bar', 'state': 'ca' } } }"

# on my_hash will have the json as a hash
my_hash = my_str.json

# or you can filter and get what you want
vals = my_str.json(:age, :city)

# even you can access the keys like this:
puts my_hash._user._location._city
puts my_hash.user.location.city
puts my_hash[:user][:location][:city]