我开发了一个简单的库,对我在互联网上找到的库进行了修改。
让我害怕的是,当我播放avi时,它会在视频结束时播放并释放内存,但当我播放视频时,它就像是内存泄漏!它会增长到138mb,尽管视频已经结束,并且使用了FreeAll方法(删除上下文的函数,等等)已被调用。
以下是导致内存泄漏的方法的代码:
int VideoGL::NextVideoFrame(){
int frameDone = 0;
int result = 0;
double pts = 0;
if(!this->ended){
if (!_started) return 0;
AVPacket* packet;
// Get the number of milliseconds passed and see if we should display a new frame
int64_t msPassed = (1000 * (clock() - _baseTime)) / CLOCKS_PER_SEC;
if (msPassed >= _currentPts)
{
// If this is not the current frame, copy it to the buffer
if (_currentFramePts != _currentPts){
_currentFramePts = _currentPts;
memcpy(buffer_a,buffer, 3 * _codec_context_video->width * _codec_context_video->height);
result = 1;
}
// Try to load a new frame from the video packet queue
bool goodop=false;
AVFrame *_n_frame = avcodec_alloc_frame();
while (!frameDone && (packet = this->DEQUEUE(VIDEO)) != NULL)
{
if (packet == (AVPacket*)-1) return -1;
goodop=true;
_s_pts = packet->pts;
avcodec_decode_video2(_codec_context_video, _n_frame, &frameDone, packet);
av_free_packet(packet);
if (packet->dts == AV_NOPTS_VALUE)
{
if (_n_frame->opaque && *(uint64_t*)_n_frame->opaque != AV_NOPTS_VALUE) pts = (double) *(uint64_t*)_n_frame->opaque;
else pts = 0;
}
else pts = (double) packet->dts;
pts *= av_q2d(_codec_context_video->time_base);
}
if (frameDone)
{
// if a frame was loaded scale it to the current texture frame buffer, but also set the pts so that it won't be copied to the texture until it's time
sws_scale(sws_ctx,_n_frame->data, _n_frame->linesize, 0, _codec_context_video->height, _rgb_frame->data, _rgb_frame->linesize);
double nts = 1.0/av_q2d(_codec_context_video->time_base);
_currentPts = (uint64_t) (pts*nts);
}
avcodec_free_frame(&_n_frame);
av_free(_n_frame);
if(!goodop){
ended=true;
}
}
}
return result;
}我会等你的答复的,谢谢。
发布于 2015-09-10 19:21:48
我也有一个内存泄漏的问题。对我来说,当我包含以下命令时,释放就会起作用:
类成员:
AVPacket avpkt;
AVFrame *frame;
AVCodecContext *avctx;
AVCodec *codec;构造函数:
av_init_packet(&avpkt);
avcodec_open2(avctx, codec, NULL);
frame = avcodec_alloc_frame();析构函数:
av_free_packet(&avpkt);
avcodec_free_frame(&frame);
av_free(frame);
avcodec_close(avctx);发布于 2013-06-08 11:46:54
我也有同样的问题。根据ffplay.c,您应该调用
av_frame_unref(pFrame);
avcodec_get_frame_defaults(pFrame);在每次sw_scale调用之后。这将在解码过程中释放所有malloc。
发布于 2015-06-12 21:14:22
我也有过类似的使用FFmpeg的例程,它会泄漏内存。我找到了一个解决方案,通过为每个avcodec_decode_video2调用的帧和包对象释放内存。
在您的代码中,packet对象是释放的,但是frame不是。在avcodec_decode_video2之前添加以下行可以解决内存泄漏问题。我发现在已经释放的frame对象上调用avcodec_free_frame是安全的。您可以在while循环之前删除帧的分配。
avcodec_free_frame(&_n_frame);
_n_frame = avcodec_alloc_frame();
avcodec_decode_video2(_codec_context_video, _n_frame, &frameDone, packet);https://stackoverflow.com/questions/14914462
复制相似问题