如何在使用MPV时用lua每个视频添加一行?

我正在记录我通过MPV播放的视频文件,同时使用io时我希望它为每个视频创建一行。使用最初的选项只会删除它,并且在转到下一个视频时,默认情况下它不会添加新行。

我认为脚本应该已经接近解决。然而,这个问题阻碍了我:“向'(for generator)'(无效的选项)传递错误参数#1。显然,for循环有问题,但是我无法确定问题所在,并且会感激在解决这个问题时能够提供帮助的人,因为我还在学习lua。

到目前为止,这是代码:

    if not paused then totaltime = totaltime + os.clock() - lasttime end
    message = (totaltime .. "s, " .. timeloaded .. ", " .. filename)
    local file = io.open(logpath, "r+")
    local lines = {}
    if file_exists(logpath) then
        for l in file:lines('L') do
            if not l:find(message, 1, true) then
                lines[#lines+1] = 1
                file.write(message)
                file:close()
         end
     end
   end
end

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

点赞
stackoverflow用户2858170
stackoverflow用户2858170

问题出在这一行

for l in file:lines('L') do

您可能正在运行不支持该选项“L”的Lua 5.1,这是file:lines的问题。

只需使用

for l in file:lines() do

此外,在通用for循环中关闭文件,您将会因为试图从已经关闭的文件中读取而导致错误。您应该在关闭文件后跳出循环。

它报告错误信息是 bad argument to write(FILE* expected, got string)(错误的参数给了write函数,应为FILE*,但得到了字符串)。

file:write(message) 替换 file.write(message),它是 file.write(file,message) 的简写。该函数实际上需要两个参数。其中一个是文件本身,当使用冒号语法时会隐含提供。

如果您只想向现有文件添加一行,则无需读取和检查所有行。只需以选项“a”打开文件以在追加模式下打开它。

local file = io.open(logpath, "a")
if file then
   file:write("\nThis is a new line")
   file:close()
end
2022-02-09 09:45:45