web-dev-qa-db-ja.com

rails i18n-リンクを含むテキストの翻訳

私はこのようなテキストをi18nしたいと思います:

すでにサインアップしていますか? ログイン!

テキストにリンクがあることに注意してください。この例では、googleを指します-実際には、アプリのlog_in_path

私はこれを行う2つの方法を見つけましたが、どれも「正しい」ようには見えません。

私が知っている最初の方法は、これを私のen.yml

log_in_message: "Already signed up? <a href='{{url}}'>Log in!</a>"

そして私の見解では:

<p> <%= t('log_in_message', :url => login_path) %> </p>

これはworksですが、<a href=...</a>上のen.ymlは私にはあまりきれいに見えません。

私が知っている他のオプションは localized views -login.en.html.erb、およびlogin.es.html.erb

また、唯一の異なる行は前述のものであるため、これは正しいとは感じません。ビューの残りの部分(〜30行)はすべてのビューで繰り返されます。あまり乾燥していません。

「ローカライズされたパーシャル」を使用できると思いますが、それは面倒すぎるようです。私は、非常に多くの小さなビューファイルを持つよりも最初のオプションを好むと思います。

だから私の質問は:これを実装する「適切な」方法はありますか?

92
kikito

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>
171
Simone Carletti

Locale.ymlファイルでテキストとリンクを分離することはしばらくは機能しますが、長いテキストでは、リンクが別の翻訳項目にあるため(Simonesの回答のように)翻訳および保守が困難です。リンク付きの多くの文字列/翻訳を開始したら、もう少し乾燥させることができます。

Application_helper.rbにヘルパーを1つ作成しました。

# 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で明確に定義されているため、メッセージの翻訳が簡単です。

11
holli

私はhollisの解決策をとって itというgem を作りました。例を見てみましょう:

log_in_message: "Already signed up? %{login:Log in!}"

その後

<p><%=t_link "log_in_message", :login => login_path %></p>

詳細については、 https://github.com/iGEL/it を参照してください。

7
iGEL

In en.yml

registration:
    terms:
      text: "I do agree with the terms and conditions: %{gtc} / %{stc}"
      gtc: "GTC"
      stc: "STC"

In de.yml

registration:
    terms:
      text: "Ich stimme den Geschäfts- und Nutzungsbedingungen zu: %{gtc} / %{stc}"
      gtc: "AGB"
      stc: "ANB"

in 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 %>
5
Emu

このアプローチを共有してくれてありがとう、ホリ。それは私にとって魅力のようです。できれば投票しますが、これは私の最初の投稿ですので、適切な評判がありません...コントローラー。私はいくつかの調査を行い、あなたのアプローチを Grubn on ruby​​pond のアプローチと組み合わせました。

ここに私が思いついたものがあります:

ヘルパーを表示します。 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 %>

この投稿があなたに投票するという評判を私にもたらすことを願っています、ホリ:)どんなフィードバックでも歓迎です。

3
emrass

次のものがありました。

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>!
2
Jaime Cham

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("&times;"), :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
1
zelanix