我正在寻找一种在Ruby中将变量合并为字符串的更好方法。
例如,如果字符串类似于:
“的animal
action
的second_animal
”
而且我有animal
,action
和的变量,second_animal
将这些变量放入字符串的首选方式是什么?
Answers:
惯用的方式是写这样的东西:
"The #{animal} #{action} the #{second_animal}"
注意字符串周围的双引号(“):这是Ruby使用其内置占位符替换的触发器。您不能将它们替换为单引号('),否则字符串将保持原样。
您可以使用类似sprintf的格式将值注入到字符串中。为此,字符串必须包含占位符。将您的参数放入数组中并使用以下方式:(有关更多信息,请参见Kernel :: sprintf的文档。)
fmt = 'The %s %s the %s'
res = fmt % [animal, action, other_animal] # using %-operator
res = sprintf(fmt, animal, action, other_animal) # call Kernel.sprintf
您甚至可以显式指定参数编号并将其随机排列:
'The %3$s %2$s the %1$s' % ['cat', 'eats', 'mouse']
或者使用哈希键指定参数:
'The %{animal} %{action} the %{second_animal}' %
{ :animal => 'cat', :action=> 'eats', :second_animal => 'mouse'}
请注意,必须为%
运算符的所有参数提供一个值。例如,您不可避免地要定义animal
。
#{}
如其他答案所述,我将使用构造函数。我还想指出,这里有个细微的地方要提防:
2.0.0p247 :001 > first_name = 'jim'
=> "jim"
2.0.0p247 :002 > second_name = 'bob'
=> "bob"
2.0.0p247 :003 > full_name = '#{first_name} #{second_name}'
=> "\#{first_name} \#{second_name}" # not what we expected, expected "jim bob"
2.0.0p247 :004 > full_name = "#{first_name} #{second_name}"
=> "jim bob" #correct, what we expected
虽然可以使用单引号创建字符串(如first_name
和last_name
变量所示,但#{}
构造函数只能用于带双引号的字符串中。
这称为字符串插值,您可以像这样进行操作:
"The #{animal} #{action} the #{second_animal}"
重要提示:仅当字符串在双引号(“”)内时,它才起作用。
无法按预期工作的代码示例:
'The #{animal} #{action} the #{second_animal}'
标准ERB模板系统可能适用于您的方案。
def merge_into_string(animal, second_animal, action)
template = 'The <%=animal%> <%=action%> the <%=second_animal%>'
ERB.new(template).result(binding)
end
merge_into_string('tiger', 'deer', 'eats')
=> "The tiger eats the deer"
merge_into_string('bird', 'worm', 'finds')
=> "The bird finds the worm"