forked from mirrors/gstreamer-rs
Add transmuxing example showing typefind, multiqueue and dynamic pad usage
This adds a usage example for the typefind and multiqueue elements, and dynamic pads.
This commit is contained in:
parent
f31827f194
commit
fbe6d5ce38
2 changed files with 252 additions and 0 deletions
|
@ -76,6 +76,9 @@ name = "launch_glib_main"
|
|||
[[bin]]
|
||||
name = "launch"
|
||||
|
||||
[[bin]]
|
||||
name = "transmux"
|
||||
|
||||
[[bin]]
|
||||
name = "pad_probes"
|
||||
|
||||
|
|
249
examples/src/bin/transmux.rs
Normal file
249
examples/src/bin/transmux.rs
Normal file
|
@ -0,0 +1,249 @@
|
|||
// This sample demonstrates the use of manual typefinding, as well as
|
||||
// the multiqueue element.
|
||||
// The example takes a URI and an output file as input.
|
||||
// The URI is used to construct a source element.
|
||||
// To the beginning, a typefind element is plugged after the src to detect
|
||||
// the container type:
|
||||
|
||||
// {src} - {typefind}
|
||||
|
||||
// After the typefind element reported the detected type, the example manually
|
||||
// selects an appropriate demuxer (from a list of very few supported formats).
|
||||
// The demuxer is plugged into the pipeline, every stream is linked to the multiqueue
|
||||
// and piped into the matroskamux at the end of the pipeline.
|
||||
// The result is then sent into the filesink. Running pipeline after typefind:
|
||||
|
||||
// /-[audio]-\
|
||||
// {src} - {typefind} - {demuxer} -| {multiqueue} - {matroskamux} - {filesink}
|
||||
// \-[video]-/
|
||||
|
||||
#[macro_use]
|
||||
extern crate gstreamer as gst;
|
||||
use gst::prelude::*;
|
||||
|
||||
extern crate glib;
|
||||
|
||||
use std::env;
|
||||
use std::error::Error as StdError;
|
||||
|
||||
extern crate failure;
|
||||
use failure::Error;
|
||||
|
||||
#[macro_use]
|
||||
extern crate failure_derive;
|
||||
|
||||
#[path = "../examples-common.rs"]
|
||||
mod examples_common;
|
||||
|
||||
#[derive(Debug, Fail)]
|
||||
#[fail(display = "Missing element {}", _0)]
|
||||
struct MissingElement(&'static str);
|
||||
|
||||
#[derive(Debug, Fail)]
|
||||
#[fail(
|
||||
display = "Received error from {}: {} (debug: {:?})",
|
||||
src, error, debug
|
||||
)]
|
||||
struct ErrorMessage {
|
||||
src: String,
|
||||
error: String,
|
||||
debug: Option<String>,
|
||||
#[cause]
|
||||
cause: glib::Error,
|
||||
}
|
||||
|
||||
fn example_main() -> Result<(), Error> {
|
||||
gst::init()?;
|
||||
|
||||
let args: Vec<_> = env::args().collect();
|
||||
let uri: &str;
|
||||
let output_file: &str;
|
||||
|
||||
if args.len() == 3 {
|
||||
uri = args[1].as_ref();
|
||||
output_file = args[2].as_ref();
|
||||
} else {
|
||||
println!("Usage: multiqueue URI output_file");
|
||||
std::process::exit(-1)
|
||||
};
|
||||
|
||||
let pipeline = gst::Pipeline::new(None);
|
||||
let src = gst::Element::make_from_uri(gst::URIType::Src, uri, None)
|
||||
.expect("We do not seem to support this uri");
|
||||
let typefinder =
|
||||
gst::ElementFactory::make("typefind", None).ok_or(MissingElement("typefind"))?;
|
||||
let queue =
|
||||
gst::ElementFactory::make("multiqueue", None).ok_or(MissingElement("multiqueue"))?;
|
||||
let muxer =
|
||||
gst::ElementFactory::make("matroskamux", None).ok_or(MissingElement("matroskamux"))?;
|
||||
let sink = gst::ElementFactory::make("filesink", None).ok_or(MissingElement("filesink"))?;
|
||||
|
||||
sink.set_property("location", &output_file)
|
||||
.expect("setting location property failed");
|
||||
// Increase the queue capacity to 100MB to avoid a stalling pipeline
|
||||
queue
|
||||
.set_property("max-size-buffers", &0u32.to_value())
|
||||
.expect("changing capacity of multiqueue failed");
|
||||
queue
|
||||
.set_property("max-size-time", &0u64.to_value())
|
||||
.expect("changing capacity of multiqueue failed");
|
||||
queue
|
||||
.set_property("max-size-bytes", &(1024u32 * 1024 * 100).to_value())
|
||||
.expect("changing capacity of multiqueue failed");
|
||||
|
||||
pipeline
|
||||
.add_many(&[&src, &typefinder, &queue, &muxer, &sink])
|
||||
.expect("failed to add elements to pipeline");
|
||||
|
||||
src.link(&typefinder)?;
|
||||
muxer.link(&sink)?;
|
||||
|
||||
let pipeline_clone = pipeline.clone();
|
||||
let typefinder_clone = typefinder.clone();
|
||||
typefinder
|
||||
.connect("have-type", false, move |values| {
|
||||
let (pipeline, typefinder) = (&pipeline_clone, &typefinder_clone);
|
||||
|
||||
// Use the detected format to select between a small set of supported demuxers
|
||||
// Hint: This should probably never be done manually, for stuff like this,
|
||||
// the decodebin should be used, that does this stuff automatically and handles
|
||||
// much more corner-cases. This is just for the sake of being an example.
|
||||
let caps = values[2]
|
||||
.get::<gst::Caps>()
|
||||
.expect("Failed to automatically detect type");
|
||||
let format_name = caps
|
||||
.get_structure(0)
|
||||
.expect("Failed to get format name")
|
||||
.get_name();
|
||||
|
||||
let demuxer = match format_name {
|
||||
"video/x-matroska" | "video/webm" => {
|
||||
gst::ElementFactory::make("matroskademux", None).expect("matroskademux missing")
|
||||
}
|
||||
"video/quicktime" => {
|
||||
gst::ElementFactory::make("qtdemux", None).expect("qtdemux missing")
|
||||
}
|
||||
_ => {
|
||||
eprintln!("Sorry, this format is not supported by this example.");
|
||||
std::process::exit(-1);
|
||||
}
|
||||
};
|
||||
|
||||
// We found a supported format and created the appropriate demuxer -> link it
|
||||
pipeline
|
||||
.add(&demuxer)
|
||||
.expect("Failed to build remux pipeline");
|
||||
// We simply keep the typefinder element and pipe the data through it.
|
||||
// Removing is non-trivial since it started reading data from the pipeline
|
||||
// that the next element (the format specific demuxer) would need.
|
||||
typefinder
|
||||
.link(&demuxer)
|
||||
.expect("Failed to build remux pipeline");
|
||||
|
||||
let queue_clone = queue.clone();
|
||||
let muxer_clone = muxer.clone();
|
||||
demuxer.connect_pad_added(move |demux, src_pad| {
|
||||
handle_demux_pad_added(demux, src_pad, &queue_clone, &muxer_clone)
|
||||
});
|
||||
demuxer
|
||||
.sync_state_with_parent()
|
||||
.expect("Failed to build remux pipeline");
|
||||
|
||||
None
|
||||
})
|
||||
.expect("Failed to register have-type signal of typefind");
|
||||
|
||||
pipeline.set_state(gst::State::Playing).into_result()?;
|
||||
|
||||
let bus = pipeline
|
||||
.get_bus()
|
||||
.expect("Pipeline without bus. Shouldn't happen!");
|
||||
|
||||
while let Some(msg) = bus.timed_pop(gst::CLOCK_TIME_NONE) {
|
||||
use gst::MessageView;
|
||||
|
||||
match msg.view() {
|
||||
MessageView::Eos(..) => break,
|
||||
MessageView::Error(err) => {
|
||||
pipeline.set_state(gst::State::Null).into_result()?;
|
||||
|
||||
Err(ErrorMessage {
|
||||
src: err
|
||||
.get_src()
|
||||
.map(|s| s.get_path_string())
|
||||
.unwrap_or_else(|| String::from("None")),
|
||||
error: err.get_error().description().into(),
|
||||
debug: err.get_debug(),
|
||||
cause: err.get_error(),
|
||||
})?;
|
||||
break;
|
||||
}
|
||||
MessageView::StateChanged(s) => {
|
||||
println!(
|
||||
"State changed from {:?}: {:?} -> {:?} ({:?})",
|
||||
s.get_src().map(|s| s.get_path_string()),
|
||||
s.get_old(),
|
||||
s.get_current(),
|
||||
s.get_pending()
|
||||
);
|
||||
}
|
||||
_ => (),
|
||||
}
|
||||
}
|
||||
|
||||
pipeline.set_state(gst::State::Null).into_result()?;
|
||||
|
||||
Ok(())
|
||||
}
|
||||
|
||||
// This is the callback function called by the demuxer, when a new stream was detected.
|
||||
fn handle_demux_pad_added(
|
||||
demuxer: &gst::Element,
|
||||
demux_src_pad: &gst::Pad,
|
||||
queue: &gst::Element,
|
||||
muxer: &gst::Element,
|
||||
) {
|
||||
// Pipe the detected stream through our multiqueue to the muxer.
|
||||
// For that, we need to request a sink pad that fits our needs.
|
||||
let link_to_muxer = || -> Result<(), Error> {
|
||||
let queue_sink_pad = queue
|
||||
.get_request_pad("sink_%u")
|
||||
.expect("If this happened, something is terribly wrong");
|
||||
demux_src_pad.link(&queue_sink_pad).into_result()?;
|
||||
// Now that we requested a sink pad fitting our needs from the multiqueue,
|
||||
// the multiqueue automatically created a fitting src pad on the other side.
|
||||
// sink and src pad are linked internally, so we can iterate this internal link chain
|
||||
// and dependably retrieve the src pad corresponding to our requested sink pad.
|
||||
let queue_src_pad = queue_sink_pad
|
||||
.iterate_internal_links()
|
||||
.next()?
|
||||
.expect("Failed to iterate the multiqueue's internal link chain");
|
||||
|
||||
// Link the multiqueue's output for this stream to the matroskamuxer.
|
||||
// For that, we request an appropriate pad at the muxer, that fits our needs.
|
||||
let muxer_sink_pad = muxer
|
||||
.get_compatible_pad(&queue_src_pad, None)
|
||||
.expect("Aww, you found a format that matroska doesn't support!");
|
||||
queue_src_pad.link(&muxer_sink_pad).into_result()?;
|
||||
|
||||
Ok(())
|
||||
};
|
||||
|
||||
if let Err(err) = link_to_muxer() {
|
||||
gst_element_error!(
|
||||
demuxer,
|
||||
gst::LibraryError::Failed,
|
||||
("Failed to insert sink"),
|
||||
["{}", err]
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
fn main() {
|
||||
// tutorials_common::run is only required to set up the application environent on macOS
|
||||
// (but not necessary in normal Cocoa applications where this is set up autmatically)
|
||||
match examples_common::run(example_main) {
|
||||
Ok(r) => r,
|
||||
Err(e) => eprintln!("Error! {}", e),
|
||||
}
|
||||
}
|
Loading…
Reference in a new issue