我找到了good examples的NET :: HTTP用于下载图像文件,我发现good examples创建了一个临时文件。但我不知道如何将这些库一起使用。即,如何在下载二进制文件的代码中创建临时文件?
require 'net/http'
Net::HTTP.start("somedomain.net/") do |http|
resp = http.get("/flv/sample/sample.flv")
open("sample.flv", "wb") do |file|
file.write(resp.body)
end
end
puts "Done."
答案 0 :(得分:41)
api友好的库比Net::HTTP
多,例如httparty:
require "httparty"
url = "https://upload.wikimedia.org/wikipedia/commons/thumb/9/91/DahliaDahlstarSunsetPink.jpg/250px-DahliaDahlstarSunsetPink.jpg"
File.open("/tmp/my_file.jpg", "wb") do |f|
f.write HTTParty.get(url).body
end
答案 1 :(得分:14)
require 'net/http'
require 'tempfile'
require 'uri'
def save_to_tempfile(url)
uri = URI.parse(url)
Net::HTTP.start(uri.host, uri.port) do |http|
resp = http.get(uri.path)
file = Tempfile.new('foo', Dir.tmpdir, 'wb+')
file.binmode
file.write(resp.body)
file.flush
file
end
end
tf = save_to_tempfile('http://a.fsdn.com/sd/topics/transportation_64.png')
tf # => #<File:/var/folders/sj/2d7czhyn0ql5n3_2tqryq3f00000gn/T/foo20130827-58194-7a9j19>
答案 2 :(得分:9)
我喜欢使用RestClient:
file = File.open("/tmp/image.jpg", 'wb' ) do |output|
output.write RestClient.get("http://image_url/file.jpg")
end
答案 3 :(得分:2)
如果您想使用 HTTParty 下载文件,您可以使用以下代码。
resp = HTTParty.get("https://www.google.com/images/branding/googlelogo/2x/googlelogo_color_92x30dp.png")
file = Tempfile.new
file.binmode
file.write(resp.body)
file.rewind
此外,如果您想将文件存储在 ActiveStorage 中,请参阅下面的代码。
object.images.attach(io: file, filename: "Test.png")
答案 4 :(得分:0)
尽管以上回答完全可以解决问题,但我想我想提到,也可以只使用良好的ol'curl
命令将文件下载到一个临时位置。这是我自己需要的用例。这是代码的大致概念:
# Set up the temp file:
file = Tempfile.new(['filename', '.jpeg'])
#Make the curl request:
url = "http://example.com/image.jpeg"
curlString = "curl --silent -X GET \"#{url}\" -o \"#{file.path}\""
curlRequest = `#{curlString}`