我遇到与此问题的海报完全相同的问题:Ruby (Errno::EACCES) on File.delete。与他不同的是,解决方案中为他提供的更改对我不起作用。
这是我的代码,它是一种压缩算法,我想删除原始文件:
uncompressed_file = File.new(Rails.root + filepath)
compressed_file = File.new(Rails.root + "#{filepath[0..filepath.size - 1]}.gz", "w+b")
file_writer = Zlib::GzipWriter.new(compressed_file)
buf = ""
File.open(uncompressed_file, "rb") do | uncompressed |
while uncompressed.read(4096, buf)
file_writer << buf
end
file_writer.close
end
begin
files_changed_by_chmod = File.chmod(0777, uncompressed_file)
rescue
puts "Something happened"
end
puts "Number of files changed by CHMOD : " + files_changed_by_chmod.to_s
File.delete(uncompressed_file)
File.rename(Rails.root + "#{filepath[0..filepath.size - 1]}.gz", Rails.root + filepath)
你会注意到有几个puts
在那里确认chmod发生了什么。输出是这样的:
Number of files changed by CHMOD : 1
并且没有Something happened
。因此,运行chmod没有生成错误,chmod确实修改了一个文件(可能是uncompressed_file
。)但是,我仍然在删除行上得到Errno :: EACCESS错误。
为什么我不能删除这些文件?!它让我爬上了墙。我正在运行Windows 8和ruby 1.9.3。
编辑:下面的第一个答案解决了无法删除文件的问题;但是,它使我的代码试图完成的工作无效(即,当我的文件通过解决方案中提供的压缩算法运行,然后我的其他算法运行时,文件会被损坏)。是的,我也尝试在我的通胀方法中模拟编码风格,但这没有帮助。以下是执行文件加密,解密和解压缩的其余代码:
def inflate_attachment(filepath)
compressed_file = File.new(Rails.root + filepath)
File.open(compressed_file, "rb") do | compressed |
File.open(Rails.root + "#{filepath[0..filepath.size - 7]}_FULL.enc", 'w+b') do | decompressed |
gz = Zlib::GzipReader.new(compressed)
result = gz.read
decompressed.write(result)
gz.close
end
end
end
def encrypt_attachment(filepath, cipher)
unencrypted_file = File.new(Rails.root + filepath)
encrypted_file = File.new(Rails.root + "#{filepath[0..filepath.size - 1]}.enc", "w")
buf = ""
File.open(encrypted_file, "wb") do |outf|
File.open(unencrypted_file, "rb") do |inf|
while inf.read(4096, buf)
outf << cipher.update(buf)
end
outf << cipher.final
end
end
end
def decrypt_attachment(filepath, key, iv)
cipher = OpenSSL::Cipher.new(ENCRYPTION_TYPE)
cipher.decrypt
cipher.key = key
cipher.iv = iv
encrypted_file = File.new(Rails.root + filepath)
decrypted_file = File.new(Rails.root + "#{filepath[0..filepath.size - 5]}.dec", "w")
buf = ""
File.open(decrypted_file, "wb") do |outf|
File.open(encrypted_file, "rb") do |inf|
while inf.read(4096, buf)
outf << cipher.update(buf)
end
outf << cipher.final
end
end
end
答案 0 :(得分:0)
我认为可能有一些事情要做,你没有正确关闭文件。我冒昧地重写你的代码,没有chmod的东西(我认为没必要)
filename = <your sourcefilename goes here>
filename_gz = filename + ".gz"
filepath = Rails.root + filename
filepath_gz = Rails.root + filename_gz
# gzip the file
buffer = ""
File.open(filepath) do |file|
Zlib::GzipWriter.open(filepath_gz) do |gz|
while file.read(4096, buffer)
gz << buffer
end
end
end
# moves the filepath_gz to filepath (overwriting the original file in the process!)
FileUtils.mv(filepath_gz, filepath)
正如您所看到的,我使用了File.open(path)并传递了一个块。这样可以在块退出时自动关闭文件。 我还更改了删除/重命名代码,只是将gziped文件移动到原始路径,这具有相同的效果。
但是,我强烈建议您保留原始文件的备份。