0

我正在使用 Ruby 2.3.1p112,我正在尝试使用字符串插值来生成图像链接。但是,它错误地转义了链接 src 引号,如下所示:src=\" http://localhost:3000/t \"。示例如下所示:

 <a href=www.google.com target='_blank'> google.com \"<img src=\"http://localhost:3000/t\" width='1' height='1'>\"</a>

这不是查看代码;它发生在后端,这是提取并简化以显示问题的类

class Link
  require 'uri'

  def self.link_name(url)
    uri = URI.parse(url)
    uri = URI.parse("http://#{url}") if uri.scheme.nil?
    host = uri.host.downcase
    host.start_with?('www.') ? host[4..-1] : host
  end

  def self.url_regex
    /(http:|www.)[a-zA-Z0-9\/:\.\?]*/
  end

  def self.link_image(e)
    email = ['b@y.com', 'x@go.com']
      email.map do |p|
        token = new.generate_email_click_tracking_img
        e.gsub(url_regex) do |url|

        puts "token inloop is <a href=#{url}>#{link_name(url)}  #{token} </a>"

        "<a href=#{url} target='_blank'> #{link_name(url)} \"#{token}\"</a>"
      end   
    end
  end

  def generate_email_click_tracking_img
    url = "http://localhost:3000/t"
    "<img src=\"#{url}\" width='1' height='1'>"
  end

end  

您可以通过在 irb 中运行以下代码来重现它:

a =  "me in www.google.com, you in http://www.facebook.com"
Link.link_image(a)

如果您运行上面的代码,您将看到puts 语句记录了正确的内容,并且图像 src 是:

<a href=http://www.facebook.com>facebook.com  <img src="http://localhost:3000/t" width='1' height='1'> </a>

但如果没有 puts 语句,图像 src 会被转义引号包围:http://localhost:3000/t\"

<a href=http://www.facebook.com target='_blank'> facebook.com \"<img src=\"http://localhost:3000/t\" width='1' height='1'>\"</a>

删除图像 src 中的引号转义的最佳方法是什么?

4

1 回答 1

2

没有反斜杠。您的代码运行良好。

您可以通过在 irb 中运行以下代码来重现它

尝试在以下位置运行irb

puts '"hello"'
# => "hello"
'"hello"'
# => "\"hello\""

您所看到的是,直接输出变量时,irb显示的是原始字符串。而且,由于字符串由"字符终止,因此有必要"在显示时转义输出中的任何字符。

如果字符串确实包含文字反斜杠,你会看到什么而不是

<a href=http://www.facebook.com target='_blank'> facebook.com \"<img src=\"http://localhost:3000/t\" width='1' height='1'>\"</a>

将会:

<a href=http://www.facebook.com target='_blank'> facebook.com \\\"<img src=\\\"http://localhost:3000/t\\\" width='1' height='1'>\\\"</a>
于 2016-05-24T19:33:52.287 回答