8

首先,我知道在 SO 中有很多类似于这个问题的问题。在过去的一周里,我读了大部分,如果不是全部的话。但我仍然无法为我完成这项工作。

我正在开发一个 Ruby on Rails 应用程序,它允许用户将 mp3 文件上传到 Amazon S3。上传本身可以完美运行,但进度条会大大改善网站上的用户体验。

我正在使用亚马逊官方提供的 aws-sdk gem。在上传过程中,我在其文档中到处寻找回调,但我找不到任何东西。

这些文件一次一个地直接上传到 S3,因此不需要将其加载到内存中。也不需要上传多个文件。

我想我可能需要使用 JQuery 来完成这项工作,我对此很好。我发现这看起来很有希望:https ://github.com/blueimp/jQuery-File-Upload 我什至尝试按照这里的示例进行操作:https ://github.com/ncri/s3_uploader_example

但我就是无法让它为我工作。

aws-sdk 的文档还简要描述了带有块的流式上传:

  obj.write do |buffer, bytes|
     # writing fewer than the requested number of bytes to the buffer
     # will cause write to stop yielding to the block
  end

但这几乎没有帮助。如何“写入缓冲区”?我尝试了一些总是会导致超时的直观选项。我什至如何根据缓冲更新浏览器?

有没有更好或更简单的解决方案?

先感谢您。我将不胜感激有关此主题的任何帮助。

4

2 回答 2

10

将块传递给#write 时产生的“缓冲区”对象是 StringIO 的一个实例。您可以使用#write 或#<< 写入缓冲区。这是一个使用块形式上传文件的示例。

file = File.open('/path/to/file', 'r')

obj = s3.buckets['my-bucket'].objects['object-key']
obj.write(:content_length => file.size) do |buffer, bytes|
  buffer.write(file.read(bytes))
  # you could do some interesting things here to track progress
end

file.close
于 2012-08-27T18:45:42.150 回答
2

在阅读了AWS gem的源代码之后,我已经调整(或主要复制)分段上传方法以根据已上传的块数产生当前进度

s3 = AWS::S3.new.buckets['your_bucket']

file = File.open(filepath, 'r', encoding: 'BINARY')
file_to_upload = "#{s3_dir}/#{filename}"
upload_progress = 0

opts = {
  content_type: mime_type,
  cache_control: 'max-age=31536000',
  estimated_content_length: file.size,
}

part_size = self.compute_part_size(opts)

parts_number = (file.size.to_f / part_size).ceil.to_i
obj          = s3.objects[file_to_upload]

begin
    obj.multipart_upload(opts) do |upload|
      until file.eof? do
        break if (abort_upload = upload.aborted?)

        upload.add_part(file.read(part_size))
        upload_progress += 1.0/parts_number

        # Yields the Float progress and the String filepath from the
        # current file that's being uploaded
        yield(upload_progress, upload) if block_given?
      end
    end
end

compute_part_size 方法在此处定义,我已将其修改为:

def compute_part_size options

  max_parts = 10000
  min_size  = 5242880 #5 MB
  estimated_size = options[:estimated_content_length]

  [(estimated_size.to_f / max_parts).ceil, min_size].max.to_i

end

此代码在 Ruby 2.0.0p0 上进行了测试

于 2013-07-25T23:00:34.030 回答