[ruby-on-rails] rails i18n-내부 링크가있는 텍스트 번역
나는 다음과 같은 텍스트를 i18n하고 싶습니다.
이미 가입 하셨나요? 로그인!
텍스트에 링크가 있습니다. 이 예제에서는 google을 가리 킵니다. 실제로는 내 앱의 log_in_path
.
두 가지 방법을 찾았지만 “올바른”방법은 없습니다.
내가 아는 첫 번째 방법은 다음과 같습니다 en.yml
.
log_in_message: "Already signed up? <a href='{{url}}'>Log in!</a>"
그리고 내 관점에서 :
<p> <%= t('log_in_message', :url => login_path) %> </p>
이것은 작동 하지만 <a href=...</a>
부분을 갖는 것은 en.yml
나에게별로 깨끗하지 않습니다.
다른 옵션 I의 노하우가 사용하는 지역화 된 뷰를 – login.en.html.erb
,하고 login.es.html.erb
.
유일한 다른 선이 앞서 언급 한 선이기 때문에 이것은 또한 옳지 않다고 생각합니다. 나머지보기 (~ 30 줄)는 모든보기에 대해 반복됩니다. 그것은 매우 건조하지 않을 것입니다.
나는 “localized partials”를 사용할 수 있다고 생각하지만 너무 복잡해 보인다. 나는 너무 많은 작은 뷰 파일을 갖는 것보다 첫 번째 옵션을 선호한다고 생각합니다.
그래서 내 질문은 : 이것을 구현하는 “적절한”방법이 있습니까?
답변
en.yml
log_in_message_html: "This is a text, with a %{href} inside."
log_in_href: "link"
login.html.erb
<p> <%= t("log_in_message_html", href: link_to(t("log_in_href"), login_path)) %> </p>
답변
locale.yml 파일에서 텍스트와 링크를 분리하는 것은 잠시 동안 작동하지만 더 긴 텍스트의 경우 링크가 별도의 번역 항목에 있기 때문에 번역 및 유지 관리가 어렵습니다 (Simones 답변에서와 같이). 링크로 많은 문자열 / 번역을 시작하면 조금 더 건조시킬 수 있습니다.
내 application_helper.rb에 하나의 도우미를 만들었습니다.
# Converts
# "string with __link__ in the middle." to
# "string with #{link_to('link', link_url, link_options)} in the middle."
def string_with_link(str, link_url, link_options = {})
match = str.match(/__([^_]{2,30})__/)
if !match.blank?
raw($` + link_to($1, link_url, link_options) + $')
else
raise "string_with_link: No place for __link__ given in #{str}" if Rails.env.test?
nil
end
end
내 en.yml에서 :
log_in_message: "Already signed up? __Log in!__"
그리고 내 견해 :
<p><%= string_with_link(t('.log_in_message'), login_path) %></p>
이렇게하면 링크 텍스트가 locale.yml-files에 명확하게 정의되어 있기 때문에 메시지를 번역하기가 더 쉽습니다.
답변
나는 hollis 솔루션을 가져 와서 그것으로 불리는 보석을it
만들었 습니다. 예를 살펴 보겠습니다.
log_in_message: "Already signed up? %{login:Log in!}"
그리고
<p><%=t_link "log_in_message", :login => login_path %></p>
자세한 내용은 https://github.com/iGEL/it를 참조 하십시오 .
답변
에서 en.yml
registration:
terms:
text: "I do agree with the terms and conditions: %{gtc} / %{stc}"
gtc: "GTC"
stc: "STC"
에서 de.yml
registration:
terms:
text: "Ich stimme den Geschäfts- und Nutzungsbedingungen zu: %{gtc} / %{stc}"
gtc: "AGB"
stc: "ANB"
에 new.html.erb [추정]
<%= t(
'registration.terms.text',
gtc: link_to(t('registration.terms.gtc'), terms_and_conditions_home_index_url + "?tab=gtc"),
stc: link_to(t('registration.terms.stc'), terms_and_conditions_home_index_url + "?tab=stc")
).html_safe %>
답변
이 접근 방식을 공유해 주셔서 대단히 감사합니다. 제게는 매력처럼 작동합니다. 내가 할 수 있다면 투표 하겠지,하지만 이것은 내 첫 번째 게시물이므로 적절한 평판이 부족합니다 … 퍼즐에 대한 추가 부분 : 귀하의 접근 방식에서 내가 깨달은 문제는 여전히 내부에서 작동하지 않는다는 것입니다. 컨트롤러. 나는 약간의 조사를했고 당신의 접근 방식 을 rubypond에 대한 Glenn 의 접근 방식과 결합 했습니다 .
내가 생각해 낸 것은 다음과 같습니다.
도우미보기 (예 : application_helper.rb)
def render_flash_messages
messages = flash.collect do |key, value|
content_tag(:div, flash_message_with_link(key, value), :class => "flash #{key}") unless key.to_s =~ /_link$/i
end
messages.join.html_safe
end
def flash_message_with_link(key, value)
link = flash["#{key}_link".to_sym]
link.nil? ? value : string_with_link(value, link).html_safe
end
# Converts
# "string with __link__ in the middle." to
# "string with #{link_to('link', link_url, link_options)} in the middle."
# --> see http://stackoverflow.com/questions/2543936/rails-i18n-translating-text-with-links-inside (holli)
def string_with_link(str, link_url, link_options = {})
match = str.match(/__([^_]{2,30})__/)
if !match.blank?
$` + link_to($1, link_url, link_options) + $'
else
raise "string_with_link: No place for __link__ given in #{str}" if Rails.env.test?
nil
end
end
컨트롤러에서 :
flash.now[:alert] = t("path.to.translation")
flash.now[:alert_link] = here_comes_the_link_path # or _url
locale.yml에서 :
path:
to:
translation: "string with __link__ in the middle"
보기에서 :
<%= render_flash_messages %>
이 게시물이 저에게 투표 할 수있는 명성을 얻길 바랍니다. holli 🙂 모든 피드백을 환영합니다.
답변
우리는 다음을 가졌습니다.
module I18nHelpers
def translate key, options={}, &block
s = super key, options # Default translation
if block_given?
String.new(ERB::Util.html_escape(s)).gsub(/%\|([^\|]*)\|/){
capture($1, &block) # Pass in what's between the markers
}.html_safe
else
s
end
end
alias :t :translate
end
또는 더 명시 적으로 :
module I18nHelpers
# Allows an I18n to include the special %|something| marker.
# "something" will then be passed in to the given block, which
# can generate whatever HTML is needed.
#
# Normal and _html keys are supported.
#
# Multiples are ok
#
# mykey: "Click %|here| and %|there|"
#
# Nesting should work too.
#
def translate key, options={}, &block
s = super key, options # Default translation
if block_given?
# Escape if not already raw HTML (html_escape won't escape if already html_safe)
s = ERB::Util.html_escape(s)
# ActiveSupport::SafeBuffer#gsub broken, so convert to String.
# See https://github.com/rails/rails/issues/1555
s = String.new(s)
# Find the %|| pattern to substitute, then replace it with the block capture
s = s.gsub /%\|([^\|]*)\|/ do
capture($1, &block) # Pass in what's between the markers
end
# Mark as html_safe going out
s = s.html_safe
end
s
end
alias :t :translate
end
그런 다음 ApplicationController.rb에서
class ApplicationController < ActionController::Base
helper I18nHelpers
en.yml
파일에 키가 주어지면
mykey: "Click %|here|!"
ERB에서 다음과 같이 사용할 수 있습니다.
<%= t '.mykey' do |text| %>
<%= link_to text, 'http://foo.com' %>
<% end %>
생성해야
Click <a href="http://foo.com">here</a>!
답변
YAML 파일 (예 : 로그인 한 사용자 이름 등)의 플래시 메시지에 대한 링크를 추가하는 것보다 더 많은 유연성을 원했기 때문에 대신 문자열에 ERB 표기법을 사용하고 싶었습니다.
내가 사용하고 bootstrap_flash
있으므로 표시하기 전에 ERB 문자열을 디코딩하기 위해 다음과 같이 도우미 코드를 수정했습니다.
require 'erb'
module BootstrapFlashHelper
ALERT_TYPES = [:error, :info, :success, :warning] unless const_defined?(:ALERT_TYPES)
def bootstrap_flash
flash_messages = []
flash.each do |type, message|
# Skip empty messages, e.g. for devise messages set to nothing in a locale file.
next if message.blank?
type = type.to_sym
type = :success if type == :notice
type = :error if type == :alert
next unless ALERT_TYPES.include?(type)
Array(message).each do |msg|
begin
msg = ERB.new(msg).result(binding) if msg
rescue Exception=>e
puts e.message
puts e.backtrace
end
text = content_tag(:div,
content_tag(:button, raw("×"), :class => "close", "data-dismiss" => "alert") +
msg.html_safe, :class => "alert fade in alert-#{type}")
flash_messages << text if msg
end
end
flash_messages.join("\n").html_safe
end
end
그러면 다음과 같은 문자열을 사용할 수 있습니다 (devise 사용).
signed_in: "Welcome back <%= current_user.first_name %>! <%= link_to \"Click here\", account_path %> for your account."
이것은 모든 상황에서 작동하지 않을 수 있으며 코드와 문자열 정의가 혼합되어서는 안된다는 주장이있을 수 있지만 (특히 DRY 관점에서) 이것은 잘 작동하는 것 같습니다. 코드는 다른 많은 상황에 적용 할 수 있어야하며 중요한 부분은 다음과 같습니다.
require 'erb'
....
begin
msg = ERB.new(msg).result(binding) if msg
rescue Exception=>e
puts e.message
puts e.backtrace
end