为什么二进制文件荏苒,当他们破坏?(Why are binary files corrupted w

2019-09-17 05:05发布

我有一个在网上提供压缩文件的服务。 该zip包含了Windows平台的可执行文件。

我使用的RubyZip库压缩文件,但这个过程会损坏二进制文件。 在我的本地服务器我们通过系统调用使用zip命令,它工作正常。

zip命令不可用在Heroku的,我根本没办法了。

我使用这个类:

require 'zip/zip'

# This is a simple example which uses rubyzip to
# recursively generate a zip file from the contents of
# a specified directory. The directory itself is not
# included in the archive, rather just its contents.
#
# Usage:
#   directoryToZip = "/tmp/input"
#   outputFile = "/tmp/out.zip"   
#   zf = ZipFileGenerator.new(directoryToZip, outputFile)
#   zf.write()
class ZipFileGenerator

  # Initialize with the directory to zip and the location of the output archive.
  def initialize(inputDir, outputFile)
    @inputDir = inputDir
    @outputFile = outputFile
  end

  # Zip the input directory.
  def write()
    entries = Dir.entries(@inputDir); entries.delete("."); entries.delete("..") 
    io = Zip::ZipFile.open(@outputFile, Zip::ZipFile::CREATE); 

    writeEntries(entries, "", io)
    io.close();
  end

  # A helper method to make the recursion work.
  private
  def writeEntries(entries, path, io)

    entries.each { |e|
      zipFilePath = path == "" ? e : File.join(path, e)
      diskFilePath = File.join(@inputDir, zipFilePath)
      puts "Deflating " + diskFilePath
      if  File.directory?(diskFilePath)
        io.mkdir(zipFilePath)
        subdir =Dir.entries(diskFilePath); subdir.delete("."); subdir.delete("..") 
        writeEntries(subdir, zipFilePath, io)
      else
        io.get_output_stream(zipFilePath) { |f| f.puts(File.open(diskFilePath, "rb").read())}
      end
    }
  end

end

Answer 1:

theglauber的答案是正确的。 正如在所述的的文档IO类 ,其是File的超类:

二进制文件模式。 禁止EOL < - >在Windows CRLF转换 。 并设置外部编码ASCII-8BIT,除非明确指定。

重点煤矿。 在Windows中,自然行结尾( \r\n )被隐式转换为换行符( \n )当一个文件中的文本模式,这可能是什么原因造成的损坏被打开。

还存在的事实IO#puts确保与线路分离器(输出端\r\n在Windows上),这是不希望的二进制文件格式。

您还没有关闭返回的文件File.open 。 这里是一个优雅的解决方案,将解决所有这些问题:

io.get_output_stream(zip_file_path) do |out|
  out.write File.binread(disk_file_path)
end


Answer 2:

如果这是Windows,则可能需要打开输出文件以二进制模式。

例如: io = File.open('foo.zip','wb')



文章来源: Why are binary files corrupted when zipping them?