Ruby: Get all keys in a hash (including sub keys)

2019-03-09 21:00发布

let's have this hash:

hash = {"a" => 1, "b" => {"c" => 3}}
hash.get_all_keys 
=> ["a", "b", "c"]

how can i get all keys since hash.keys returns just ["a", "b"]

标签: ruby hash
10条回答
我命由我不由天
2楼-- · 2019-03-09 21:21

hash.keys is the simplest one I have seen to return an array of the key values in a hash.

查看更多
做自己的国王
3楼-- · 2019-03-09 21:21

Version that keeps the hierarchy of the keys

  • Works with arrays
  • Works with nested hashes

keys_only.rb

# one-liner
def keys_only(h); h.map { |k, v| v = v.first if v.is_a?(Array); v.is_a?(Hash) ? [k, keys_only(v)] : k }; nil; end

# nicer
def keys_only(h)
  h.map do |k, v|
    v = v.first if v.is_a?(Array);

    if v.is_a?(Hash)
      [k, keys_only(v)]
    else
      k
    end
  end
end

hash = { a: 1, b: { c: { d: 3 } }, e: [{ f: 3 }, { f: 5 }] }
keys_only(hash)
# => [:a, [:b, [[:c, [:d]]]], [:e, [:f]]]

P.S.: Yes, it looks like a lexer :D

Bonus: Print the keys in a nice nested list

# one-liner
def print_keys(a, n = 0); a.each { |el| el.is_a?(Array) ? el[1] && el[1].class == Array ? print_keys(el, n) : print_keys(el, n + 1) : (puts "  " * n + "- #{el}") }; nil; end

# nicer
def print_keys(a, n = 0)
  a.each do |el|
    if el.is_a?(Array)
       if el[1] && el[1].class == Array
         print_keys(el, n)
       else
         print_keys(el, n + 1)
       end
    else
      puts "  " * n + "- #{el}"
    end
  end

  nil
end


> print_keys(keys_only(hash))
- a
  - b
      - c
        - d
  - e
    - f
查看更多
4楼-- · 2019-03-09 21:24
class Hash

  def get_all_keys
    [].tap do |result|
      result << keys
      values.select { |v| v.respond_to?(:get_all_keys) }.each do |value| 
        result << value.get_all_keys
      end
    end.flatten
  end

end

hash = {"a" => 1, "b" => {"c" => 3}}
puts hash.get_all_keys.inspect # => ["a", "b", "c"]
查看更多
聊天终结者
5楼-- · 2019-03-09 21:28

Also deal with nested arrays that include hashes

def all_keys(items)
  case items
  when Hash then items.keys + items.values.flat_map { |v| all_keys(v) }
  when Array then items.flat_map { |i| all_keys(i) }
  else []
  end
end
查看更多
家丑人穷心不美
6楼-- · 2019-03-09 21:32

I find grep useful here:

def get_keys(hash)
  ( hash.keys + hash.values.grep(Hash){|sub_hash| get_keys(sub_hash) } ).flatten
end

p get_keys my_nested_hash #=> ["a", "b", "c"]

I like the solution as it is short, yet it reads very nicely.

查看更多
▲ chillily
7楼-- · 2019-03-09 21:34

This will give you an array of all the keys for any level of nesting.

def get_em(h)
  h.each_with_object([]) do |(k,v),keys|      
    keys << k
    keys.concat(get_em(v)) if v.is_a? Hash
  end
end

hash = {"a" => 1, "b" => {"c" => {"d" => 3}}}
get_em(hash) #  => ["a", "b", "c", "d"]
查看更多
登录 后发表回答