给定字符串:
"Hello there world"
如何创建这样的URL编码字符串:
"Hello%20there%20world"
我还想知道如果字符串也有其他符号,该怎么办,例如:
"hello there: world, how are you"
这样做最简单的方法是什么?我要解析,然后为此构建一些代码。
给定字符串:
"Hello there world"
如何创建这样的URL编码字符串:
"Hello%20there%20world"
我还想知道如果字符串也有其他符号,该怎么办,例如:
"hello there: world, how are you"
这样做最简单的方法是什么?我要解析,然后为此构建一些代码。
Answers:
在2019年,URI.encode已过时且不应使用。
require 'uri'
URI.encode("Hello there world")
#=> "Hello%20there%20world"
URI.encode("hello there: world, how are you")
#=> "hello%20there:%20world,%20how%20are%20you"
URI.decode("Hello%20there%20world")
#=> "Hello there world"
URI.encode("http://google.com") => "http://google.com"
。更好地使用CGI.escape
("https%3A%2F%2Fgoogle.com"
)
Ruby的URI为此很有用。您可以以编程方式构建整个URL并使用该类添加查询参数,它将为您处理编码:
require 'uri'
uri = URI.parse('http://foo.com')
uri.query = URI.encode_www_form(
's' => "Hello there world"
)
uri.to_s # => "http://foo.com?s=Hello+there+world"
这些示例非常有用:
URI.encode_www_form([["q", "ruby"], ["lang", "en"]])
#=> "q=ruby&lang=en"
URI.encode_www_form("q" => "ruby", "lang" => "en")
#=> "q=ruby&lang=en"
URI.encode_www_form("q" => ["ruby", "perl"], "lang" => "en")
#=> "q=ruby&q=perl&lang=en"
URI.encode_www_form([["q", "ruby"], ["q", "perl"], ["lang", "en"]])
#=> "q=ruby&q=perl&lang=en"
这些链接也可能有用:
URI.encode('api.example.com', /\W/)