在gstreamer1.16.3中不存在gst_video_parse_caps函数 请出示一个1.16.3版本获取sps和pps的方式
时间: 2024-03-06 20:48:38 浏览: 157
在 GStreamer 1.16.3 版本中,可以通过 `gst_caps_get_structure` 函数和 GstVideoInfo 结构体来获取 H.264 流的 SPS 和 PPS 信息。以下是一个简单的 C 语言示例代码,演示如何获取 SPS 和 PPS 信息:
```c
#include <gst/gst.h>
#include <gst/video/video.h>
int main(int argc, char *argv[])
{
GstElement *pipeline, *src, *h264parse;
GstCaps *caps;
GstStructure *structure;
GstVideoInfo info;
/* Initialize GStreamer */
gst_init(&argc, &argv);
/* Create the elements */
pipeline = gst_pipeline_new("pipeline");
src = gst_element_factory_make("filesrc", "src");
h264parse = gst_element_factory_make("h264parse", "h264parse");
/* Set the input file */
g_object_set(G_OBJECT(src), "location", "input.h264", NULL);
/* Add the elements to the pipeline */
gst_bin_add_many(GST_BIN(pipeline), src, h264parse, NULL);
/* Link the elements */
gst_element_link(src, h264parse);
/* Get the caps of the h264parse element */
caps = gst_pad_query_caps(gst_element_get_static_pad(h264parse, "src"), NULL);
/* Get the SPS and PPS information */
structure = gst_caps_get_structure(caps, 0);
gst_video_info_from_caps(&info, caps);
const guint8 *sps = gst_structure_get_data(structure, "sps", 0, NULL);
const guint8 *pps = gst_structure_get_data(structure, "pps", 0, NULL);
/* Print the SPS and PPS information */
g_print("SPS: %02x %02x %02x %02x ...\n", sps[0], sps[1], sps[2], sps[3]);
g_print("PPS: %02x %02x %02x %02x ...\n", pps[0], pps[1], pps[2], pps[3]);
/* Clean up */
gst_caps_unref(caps);
gst_element_set_state(pipeline, GST_STATE_NULL);
gst_object_unref(pipeline);
return 0;
}
```
在上面的示例代码中,首先创建了 `filesrc` 和 `h264parse` 元素,并将它们添加到管道中。然后设置了输入文件的路径,将两个元素进行链接,并使用 `gst_pad_query_caps` 函数获取 `h264parse` 元素的 caps。接着使用 `gst_caps_get_structure` 函数获取 caps 中的第一个结构体,使用 `gst_video_info_from_caps` 函数将结构体转换为 GstVideoInfo 结构体,并使用 `gst_structure_get_data` 函数获取 SPS 和 PPS 数据。最后打印出 SPS 和 PPS 数据,并清理资源。
需要注意的是,这个示例代码只是一个简单的演示,实际使用中还需要进行错误处理和其他必要的操作。
阅读全文