回答:
慣用的な方法は次のようなものを書くことです:
"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"