在Lua中,我应该如何将文件读入字节数组?

时间:2013-05-12 11:04:02

标签: file-io lua

要将文件读入字节数组a,我一直在使用以下代码:

file = io.open(fileName, "rb")
str = file:read("*a")
a = {str:byte(1, #str)}

虽然这适用于较小的文件,{1}文件无法使用str:byte,而{1}则无效{/ 1>}。

是否有替代方法可以成功读取这些较大的文件?

3 个答案:

答案 0 :(得分:0)

local fileName = 'C:\\Program Files\\Microsoft Office\\Office12\\excel.exe'
local file = assert(io.open(fileName, 'rb'))
local t = {}
repeat
   local str = file:read(4*1024)
   for c in (str or ''):gmatch'.' do
      t[#t+1] = c:byte()
   end
until not str
file:close()
print(#t)   --> 18330984

答案 1 :(得分:0)

在使用LuaJIT的情况下,另一种方法是读取一块字节并将其转换为C数组。如果一次读取整个文件,缓冲区应该分配足够的内存来存储它(文件大小字节)。另外,它可以以块的形式读取文件并为每个块重用缓冲区。

使用C缓冲区的优点是,与将一块字节转换为Lua字符串或Lua表相比,它在内存方面更有效。缺点是FFI仅在LuaJIT中受支持。

local ffi = require("ffi")

-- Helper function to calculate file size.
local function filesize (fd)
   local current = fd:seek()
   local size = fd:seek("end")
   fd:seek("set", current)
   return size
end

local filename = "example.bin"

-- Open file in binary mode.
local fd, err = io.open(filename, "rb")
if err then error(err) end

-- Get size of file and allocate a buffer for the whole file.
local size = filesize(fd)
local buffer = ffi.new("uint8_t[?]", size)

-- Read whole file and store it as a C buffer.
ffi.copy(buffer, fd:read(size), size)
fd:close()

-- Iterate through buffer to print out contents.
for i=0,size-1 do
   io.write(buffer[i], " ")
end

答案 2 :(得分:-1)

这会将文件block中的每个file.txt(1)个字节存储到表bytes

local bytes = {}
file = assert(io.open("file.txt","rb"))
block = 1 --blocks of 1 byte
while true do
    local byte = file:read(block)
    if byte == nil then
        break
    else
        bytes[#bytes+1] = string.byte(byte)
    end
end
file:close()