How to "zip" two arrays into hash

I would do it this way:

keys = ['BO','BR']
values = ['BOLIVIA','BRAZIL']

Hash[keys.zip(values)]
# => {"BO"=>"BOLIVIA", "BR"=>"BRAZIL"}

If you want symbols for keys, then:

Hash[keys.map(&:to_sym).zip(values)]
# => {:BO=>"BOLIVIA", :BR=>"BRAZIL"}

In Ruby 2.1.0 or higher, you could write these as:

keys.zip(values).to_h
keys.map(&:to_sym).zip(values).to_h

As of Ruby 2.5 you can use .transform_keys:

Hash[keys.zip(values)].transform_keys { |k| k.to_sym }

Just use the single Array of the twos, and then transpose it, and generate Hash:

keys = ['BO','BR']
values = ['BOLIVIA','BRAZIL']
Hash[[keys,values].transpose]
# => {"BO"=>"BOLIVIA", "BR"=>"BRAZIL"}

or for newer ruby version:

[keys,values].transpose.to_h