VLC Scripting с Lua: перейти к определенному времени в файле? - PullRequest
18 голосов
/ 16 мая 2011

Кажется, это должно быть просто, но я подхожу сюда с пустыми руками.Я пытаюсь создать простой сценарий VLC, который проверяет, включена ли «случайная» кнопка, и если это так, когда она переходит к случайному файлу, вместо запуска в момент времени 0, она запускается в случайное время.

Пока что мне кажется, что это должен быть скрипт плейлиста, и я могу получить длительность от объекта плейлиста, но в этой странице документации или в Google я не могу найтилюбой способ перейти к определенному времени из скрипта Lua.У кого-нибудь есть опыт управления воспроизведением VLC с Lua?

Ответы [ 3 ]

21 голосов
/ 14 сентября 2011

На самом деле, документация говорит, что вы можете сделать это ... хотя и не так много слов.Вот что говорится об интерфейсе для анализаторов плейлистов:

VLC Lua playlist modules should define two functions:
   * probe(): returns true if we want to handle the playlist in this script
   * parse(): read the incoming data and return playlist item(s)
        Playlist items use the same format as that expected in the
        playlist.add() function (see general lua/README.txt)

Если вы выполните описание playlist.add(), оно говорит, что элементы имеют большой список полей, которые вы можете предоставить.Существует множество вариантов (.name, .title, .artist и т. Д.). Но, похоже, требуется только .path ..., что составляет "полный путь / URL элемента" .

Нет явного упоминания о том, где искать, но один из параметров, которые вы можете выбрать, это .options, который называется "список опций VLC .fullscreen в качестве примера. Если работает параллель с --fullscreen, могут ли работать и другие параметры командной строки, такие как --start-time и --stop-time?

В моей системе они работают, и вот скрипт!

-- randomseek.lua
--
-- A compiled version of this file (.luac) should be put into the proper VLC
-- playlist parsers directory for your system type.  See:
--
--   http://wiki.videolan.org/Documentation:Play_HowTo/Building_Lua_Playlist_Scripts
--
-- The file format is extremely simple and is merely alternating lines of
-- filenames and durations, such as if you had a file "example.randomseek"
-- it might contain:
--
--     foo.mp4
--     3:04
--     bar.mov
--     10:20
--
-- It simply will seek to a random location in the file and play a random
-- amount of the remaining time in the clip.

function probe()
    -- seed the random number since other VLC lua plugins don't seem to
    math.randomseed(os.time())

    -- tell VLC we will handle anything ending in ".randomseek"
    return string.match(vlc.path, ".randomseek$")
end

function parse()
    -- VLC expects us to return a list of items, each item itself a list
    -- of properties
    playlist = {}

    -- I'll assume a well formed input file but obviously you should do
    -- error checking if writing something real
    while true do
       playlist_item = {}

       line = vlc.readline()
       if line == nil then
           break --error handling goes here
       end

       playlist_item.path = line

       line = vlc.readline()
       if line == nil then
           break --error handling goes here
       end

       for _min, _sec in string.gmatch( line, "(%d*):(%d*)" )
           do
               duration = 60 * _min + _sec
           end

       -- math.random with integer argument returns an integer between
       -- one and the number passed in inclusive, VLC uses zero based times
       start_time = math.random(duration) - 1
       stop_time = math.random(start_time, duration - 1)

       -- give the viewer a hint of how long the clip will take
       playlist_item.duration = stop_time - start_time

       -- a playlist item has another list inside of it of options
       playlist_item.options = {}
       table.insert(playlist_item.options, "start-time="..tostring(start_time))
       table.insert(playlist_item.options, "stop-time="..tostring(stop_time))
       table.insert(playlist_item.options, "fullscreen")

       -- add the item to the playlist
       table.insert( playlist, playlist_item )
    end

    return playlist
end
5 голосов
/ 21 июня 2013

Просто используйте это:

vlc.var.set(input, "time", time)
2 голосов
/ 16 июня 2015

Существует метод поиска в common.lua .

Примеры использования:

require 'common'
common.seek(123) -- seeks to 02m03s
common.seek("50%") -- seeks to middle of video
...