在Lua中查找特定字节并读取到特定字节

是否可以先在文件中搜索特定字节,找到位置,然后仅读取文件中直到该特定字节的字节?

目前,我只能读取一些字节或整个文件,然后搜索该特定字节。就像这样:

local function read_file(path)
  local file = open(path, "r") -- r读取模式和b二进制模式
  if not file then return nil end
  local content = file:read(64) --读取64个字节
  file:close()
  return content
end

local fileContent = read_file("../test/l_0.dat");
print(fileContent)

function parse(line)
   if line then
     len = 1
     a = line:find("V", len +1) --在content中找到V
     return a
   else
     return false
   end
end

a = parse(fileContent) --V在内容中的位置
print(a)
print(string.sub(fileContent, a)) --内容直到第一个找到的V

在这个例子中,我在位置21找到了第一个V。因此,仅需要读取21个字节而不是64个字节或整个文件会很酷。但是,然后我需要在读取某些内容之前找到位置。这是可能的吗?(21字节是可变的,可以是20或50或其他字节数)

原文链接 https://stackoverflow.com/questions/71048058

点赞
stackoverflow用户2858170
stackoverflow用户2858170

你可以使用 file:seek 指定一个文件位置,并通过向 file:read 提供一个整数来读取一定数量的字符(字节)。

local file = file:open(somePath)
if file then
  -- 将光标设置到文件末尾的前5个字节
  file:seek("end", -5)
  -- 读取3个字节
  print(file:read(3))
  file:close()
end

如果不读取文件,则无法在文件中搜索。如果不想读取整个文件,则可以按块读取文件,即按行读取(如果文件中有行)或每次读取特定数量的字节,直到找到为止。当然,您也可以按字节读取它。

您可以争论读取 64 字节的文件是否整体读取或按块读取更加合理。我的意思是,在大多数情况下,您不会注意到任何区别。

因此,您可以在循环中使用file:read(1)直到找到V或到达文件的末尾,循环终止。

local file = io.open(somePath)
if file then
  local data = ""
  for i = 1, 64 do
    local b = file:read(1)
    if not b then print("no V in file") data = nil break end
    data = data .. b
    if b == "V" then print(data) break end
  end
  file:close()
end

local file = io.open("d:/test.txt", "r")
if file then
  local data = file:read("a")
  local pos = data:find("V")
  if pos then
      print(data:sub(1, pos))
  end
  file:close()
end
2022-02-09 10:59:29
stackoverflow用户11740758
stackoverflow用户11740758
local function read_file(path)
  local file = io.open(path, "rb") -- 以二进制模式读取
  if not file then 
    return nil 
  end
  local content = file:read("*all") -- 读取全部内容
  file:close()
  return content
end

local fileContent = read_file("test/l_0.dat")
print(fileContent)

local function parse(line)
  if line then
    local len = 1
    local a = line:find("V", len) -- 查找第一个V
    return a
  else
    return false
  end
end

print(fileContent:sub(1, parse(fileContent) - 1)) -- V之前的内容
print(fileContent:sub(parse(fileContent) + 1, -1)) -- V之后的内容

输出为:

0123456789VabcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ

0123456789VabcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ
2022-02-09 11:19:39