4
\$\begingroup\$

I have a nested hash of symbols like this:

{
 a: {
 b: :c,
 d: {
 e: :f
 }
 },
 g: :h
}

I want to build an array that contains all symbols used in the hash, both keys and values, in any order. For the example above:

[:a, :b, :c, :d, :e, :f, :g, :h]

Is there any simple, fast and ruby-friendly way to do this?

I'm doing this with a recursive function that sums hash.keys with hash.values, and finally applies flatten to the result.

def all_keys(hash)
 hash.keys + hash.values.map { |e| e.is_a?(Hash) ? all_keys(e) : e }
end
asked Feb 22, 2016 at 14:49
\$\endgroup\$
1
  • \$\begingroup\$ If h is your hash, a quick and dirty would be h.to_s.scan /:[a-z]\w*/ => [":a", ":b", ":c", ":d", ":e", ":f", ":g", ":h"] . \$\endgroup\$ Commented Feb 22, 2016 at 19:26

1 Answer 1

7
\$\begingroup\$

Some notes:

  • The flattening should be performed where the non-desired nesting is being introduced, not later. Use flat_map instead of map:

  • Why e for the value name instead of v?

I'd write:

def all_keys(hash)
 hash.keys + hash.values.flat_map { |v| v.is_a?(Hash) ? all_keys(v) : [v] }
end

Another way to do it, slightly shorter, is to iterate directly the pairs. Pick the one which is more declarative to you:

def all_keys(hash)
 hash.flat_map { |k, v| [k] + (v.is_a?(Hash) ? all_keys(v) : [v]) }
end
answered Feb 22, 2016 at 15:49
\$\endgroup\$

Your Answer

Draft saved
Draft discarded

Sign up or log in

Sign up using Google
Sign up using Email and Password

Post as a guest

Required, but never shown

Post as a guest

Required, but never shown

By clicking "Post Your Answer", you agree to our terms of service and acknowledge you have read our privacy policy.

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.