更容易编写的方法如果hash包含 - Ruby

问题描述 投票:0回答:4

我在我的模型的初始化方法中有以下内容:

@home_phone = contact_hash.fetch('HomePhone')

但是,有时候我需要这个:

@home_phone = contact_hash.fetch('number')

此外,有时这些都不是真的,我将需要home_phone属性为空。

如何在不创建如此大循环的情况下编写出来:

if contact_hash.has_key?('HomePhone')
  @home_phone = contact_hash.fetch('HomePhone')
elsif contact_hash.has_key?('number')
  @home_phone = contact_hash.fetch('number')
else 
  @home_phone = ""
end
ruby-on-rails ruby hash model
4个回答
7
投票

你可以试试

@home_phone = contact_hash.fetch('HomePhone', contact_hash.fetch('number', ""))

或更好

@home_phone = contact_hash['HomePhone'] || contact_hash['number'] ||  ""

3
投票
contact_hash.values_at('HomePhone','number','home_phone').compact.first

编辑:

我的第一个解决方案并没有真正给出答案。这是一个修改版本,虽然我认为在只有3个选项的情况下,@ knut给出的解决方案更好。

contact_hash.values_at('HomePhone','number').push('').compact.first

0
投票
def doit(h, *args)
  args.each {|a| return h[a] if h[a]}
  ""
end

contact_hash = {'Almost HomePhone'=>1, 'number'=>7}
doit(contact_hash, 'HomePhone', 'number')  # => 7

0
投票

你可以使用values_at我想:

@home_phone = contact_hash.values_at('HomePhone', 'number').find(&:present?).to_s

这不是很短,但如果你有一个数组中的键是不方便的:

try_these = %w[HomePhone number]
@home_phone = contact_hash.values_at(*try_these).find(&:present?).to_s

您也可以将其包装在某个实用程序方法中或将其修补到Hash中。

© www.soinside.com 2019 - 2024. All rights reserved.