python gstreamer 비디오 속 진/속 퇴/순환 재생 기능 실현
GStreamer 는 pipeline 기반 멀티미디어 프레임 워 크 로 GObject 를 기반 으로 C 언어 로 작성 되 었 습 니 다.
GStreamer 라 는 멀티미디어 프레임 워 크 를 사용 하면 meidaplayer,오디 오 비디오 편집기,VOIP,스 트림 미디어 서버,오디 오 비디오 인 코딩 등 스 트림 미디어 의 응용 을 쓸 수 있 습 니 다.
영상 속 진/속 퇴/순환 재생 에 대한 지식 요약:
1.로 컬 비디오 가 져 오기:
Gst.Pad.query_duration 공식 함수 소개:
def Gst.Pad.query_duration (self, format):
#python wrapper for 'gst_pad_query_duration'
Queries a pad for the total stream duration.
Parameters:
pad ( Gst.Pad ) Ca Gst.Pad to invoke the duration query on.
format ( Gst.Format ) Cthe Gst.Format requested
Returns a tuple made of:
( gboolean ) CTRUE (not introspectable) if the query could be performed.
duration ( gint64 ) CTRUE (not introspectable) if the query could be performed.
아래 와 같이 사용:pipeline.query_duration(Gst.Format.TIME)[1]
그 중에서 pipeline 은 로 컬 영상 을 재생 하 는 파이프 입 니 다.queryduration()함 수 는 원 그룹 을 되 돌려 줍 니 다.원 그룹의 형식 은[Ture,duration:*****]이 고****는 ns 단위 의 영상 시간 입 니 다.
2.비디오 재생 현재 위치 가 져 오기:
Gst.Pad.query_position 공식 함수 소개:
def Gst.Pad.query_position (self, format):
#python wrapper for 'gst_pad_query_position'
Queries a pad for the stream position.
Parameters:
pad ( Gst.Pad ) Ca Gst.Pad to invoke the position query on.
format ( Gst.Format ) Cthe Gst.Format requested
Returns a tuple made of:
( gboolean ) CTRUE (not introspectable) if the query could be performed.
cur ( gint64 ) CTRUE (not introspectable) if the query could be performed.
사용 방법 은 시간 획득 함수query_duration()
와 같 습 니 다.3.점프 함수 재생:
Gst.Element.seek_단순 공식 함수 소개:
def Gst.Element.seek_simple (self, format, seek_flags, seek_pos):
#python wrapper for 'gst_element_seek_simple'
Parameters:
element ( Gst.Element ) Ca Gst.Element to seek on
format ( Gst.Format ) Ca Gst.Format to execute the seek in, such as Gst.Format.TIME
seek_flags ( Gst.SeekFlags ) Cseek options; playback applications will usually want to use GST_SEEK_FLAG_FLUSH | GST_SEEK_FLAG_KEY_UNIT here
seek_pos ( gint64 ) Cposition to seek to (relative to the start); if you are doing a seek in Gst.Format.TIME this value is in nanoseconds - multiply with Gst.SECOND to convert seconds to nanoseconds or with Gst.MSECOND to convert milliseconds to nanoseconds.
Returns ( gboolean ) :
TRUE (not introspectable) if the seek operation succeeded. Flushing seeks will trigger a preroll, which will emit Gst.MessageType.ASYNC_DONE.
함수 사용 사례:pipeline.seek_simple(Gst.Format.TIME, Gst.SeekFlags.FLUSH, time)
그 중에서 time 의 단 위 는 nanoseconds 이다.
비디오 속 진/속 퇴/순환 재생 기능 이 있 는 작은 플레이어.
import os, _thread, time
import gi
gi.require_version("Gst", "1.0")
gi.require_version('Gtk', '3.0')
from gi.repository import Gst, GObject, Gtk, Gdk
class GTK_Main:
def __init__(self):
window = Gtk.Window(Gtk.WindowType.TOPLEVEL)
window.set_title("Vorbis-Player")
window.set_default_size(500, -1)
window.connect("destroy", Gtk.main_quit, "WM destroy")
vbox = Gtk.VBox()
window.add(vbox)
self.entry = Gtk.Entry()
vbox.pack_start(self.entry, False, False, 0)
hbox = Gtk.HBox()
vbox.add(hbox)
buttonbox = Gtk.HButtonBox()
hbox.pack_start(buttonbox, False, False, 0)
rewind_button = Gtk.Button("Rewind")
rewind_button.connect("clicked", self.rewind_callback)
buttonbox.add(rewind_button)
self.button = Gtk.Button("Start")
self.button.connect("clicked", self.start_stop)
buttonbox.add(self.button)
forward_button = Gtk.Button("Forward")
forward_button.connect("clicked", self.forward_callback)
buttonbox.add(forward_button)
self.time_label = Gtk.Label()
self.time_label.set_text("00:00 / 00:00")
hbox.add(self.time_label)
window.show_all()
self.player = Gst.Pipeline.new("player")
source = Gst.ElementFactory.make("filesrc", "file-source")
demuxer = Gst.ElementFactory.make("decodebin", "demuxer")
videoconv = Gst.ElementFactory.make("videoconvert", "converter")
videosink = Gst.ElementFactory.make("xvimagesink", "video-output")
demuxer.connect("pad-added", self.demuxer_callback, videoconv)
for ele in [source, demuxer, videoconv, videosink]:
self.player.add(ele)
source.link(demuxer)
videoconv.link(videosink)
bus = self.player.get_bus()
bus.add_signal_watch()
bus.connect("message", self.on_message)
def start_stop(self, w):
if self.button.get_label() == "Start":
filepath = self.entry.get_text().strip()
if os.path.isfile(filepath):
filepath = os.path.realpath(filepath)
self.button.set_label("Stop")
self.player.get_by_name("file-source").set_property("location", filepath)
self.player.set_state(Gst.State.PLAYING)
self.play_thread_id = _thread.start_new_thread(self.play_thread, ())
else:
self.play_thread_id = None
self.player.set_state(Gst.State.NULL)
self.button.set_label("Start")
self.time_label.set_text("00:00 / 00:00")
def play_thread(self):
play_thread_id = self.play_thread_id
Gdk.threads_enter()
self.time_label.set_text("00:00 / 00:00")
Gdk.threads_leave()
print(play_thread_id)
print(self.play_thread_id)
while play_thread_id == self.play_thread_id:
time.sleep(0.2)
dur_int = self.player.query_duration(Gst.Format.TIME)[1]
if dur_int == -1:
continue
dur_str = self.convert_ns(dur_int)
Gdk.threads_enter()
self.time_label.set_text("00:00 / " + dur_str)
Gdk.threads_leave()
break
time.sleep(0.2)
while play_thread_id == self.play_thread_id:
pos_int = self.player.query_position(Gst.Format.TIME)[1]
pos_str = self.convert_ns(pos_int)
if play_thread_id == self.play_thread_id:
Gdk.threads_enter()
self.time_label.set_text(pos_str + " / " + dur_str)
Gdk.threads_leave()
time.sleep(1)
def on_message(self, bus, message):
t = message.type
if t == Gst.MessageType.EOS:
self.player.seek_simple(Gst.Format.TIME, Gst.SeekFlags.FLUSH, 0000000000)
elif t == Gst.MessageType.ERROR:
err, debug = message.parse_error()
print ("Error: %s" % err, debug)
self.play_thread_id = None
self.player.set_state(Gst.State.NULL)
self.button.set_label("Start")
self.time_label.set_text("00:00 / 00:00")
def demuxer_callback(self, demuxer, pad, dst):
caps = Gst.Pad.get_current_caps(pad)
structure_name = caps.to_string()
if structure_name.startswith("video"):
videorate_pad = dst.get_static_pad("sink")
pad.link(videorate_pad)
def rewind_callback(self, w):
rc, pos_int = self.player.query_position(Gst.Format.TIME)
seek_ns = pos_int - 10 * 1000000000
if seek_ns < 0:
seek_ns = 0
print ('Backward: %d ns -> %d ns' % (pos_int, seek_ns))
self.player.seek_simple(Gst.Format.TIME, Gst.SeekFlags.FLUSH, seek_ns)
def forward_callback(self, w):
rc, pos_int = self.player.query_position(Gst.Format.TIME)
seek_ns = pos_int + 10 * 1000000000
print ('Forward: %d ns -> %d ns' % (pos_int, seek_ns))
self.player.seek_simple(Gst.Format.TIME, Gst.SeekFlags.FLUSH, seek_ns)
def convert_ns(self, t):
s,ns = divmod(t, 1000000000)
m,s = divmod(s, 60)
if m < 60:
return "%02i:%02i" %(m,s)
else:
h,m = divmod(m, 60)
return "%i:%02i:%02i" %(h,m,s)
GObject.threads_init()
Gst.init(None)
GTK_Main()
Gtk.main()
총결산여기 서 python gstreamer 가 동 영상 속 진/속 퇴/순환 재생 기능 을 실현 하 는 것 에 관 한 이 글 은 여기까지 소개 되 었 습 니 다.더 많은 관련 python gstreamer 가 동 영상 속 진/속 퇴/순환 재생 내용 을 실현 하 는 것 은 우리 의 이전 글 을 검색 하거나 아래 의 관련 글 을 계속 조회 하 십시오.앞으로 많은 응원 바 랍 니 다!
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
로마 숫자를 정수로 또는 그 반대로 변환그 중 하나는 로마 숫자를 정수로 변환하는 함수를 만드는 것이었고 두 번째는 그 반대를 수행하는 함수를 만드는 것이었습니다. 문자만 포함합니다'I', 'V', 'X', 'L', 'C', 'D', 'M' ; 문자열이 ...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.