根据OpenCV Intro Doc,我在下面写的代码应该导致im
是第2帧,imPrev
是第1帧;然而,它们都是帧2。为什么以及什么是简单高效的解决方案?
Mat im, imPrev;
VideoCapture v(fileName);
v >> im; // im = frame1
imPrev = im; // im = imPrev = frame1
im.release(); // im = empty, imPrev = frame1
v >> im; // I wanted im = frame2, imPrev = frame1
// but it became im = imPrev = frame2
(OpenCV 2.4.5(
注意:最后三行是循环的,所以我最好避免在每次迭代中分配不必要的内存(例如使用clone
(。
如果您喜欢:
v>>im;
你会得到一个img,它指向网络摄像头驱动程序中的静态内存。
它没有被重新计算,所以你的im.release((根本没有效果。
-------------
但问题就在这里:
imPrev = im;
// this is a shallow copy only, the Mat struct gets copied, the pixels are shared.
替换为:
imPrev = im.clone(); // imPrev now owns it own pixels
--------------
[编辑]
imho,你也不希望每个循环有2>>或读取操作,所以也许可以这样做:
Mat cur,prev;
while(1)
{
capture >> cur;
if ( ! prev.empty() )
{
process(cur,prev);
}
prev = cur.clone();
}