我在下面的代码中有泄漏。当我使用cvCreateImage而不是cvCreateImageHeader时,它是304Kb和107b泄漏,但是当我更改它时,它变成只有107位。
您能帮我发现泄漏吗?

+ (IplImage *) nsImageToIplImage:(NSImage *)image {
    // NSImage to IplImage

    NSBitmapImageRep *orig = [[image representations] objectAtIndex: 0];
    // a copy or else the color-channel shift that we do later on will affect the original NSImage!

    NSBitmapImageRep *rep = [NSBitmapImageRep imageRepWithData:[orig representationUsingType:NSTIFFFileType properties:NULL]];
    int depth       = [rep bitsPerSample];
    int channels    = [rep samplesPerPixel];
    int height      = [rep size].height;
    int width       = [rep size].width;

    // note- channels had better be "3", or else the loop down below will act pretty funky...
    // NSTIFFFileType seems to always give three-channel images, so I think it's okay...


    IplImage *to_return = cvCreateImageHeader(cvSize(width, height), depth, channels);
    cvSetImageData(to_return, [rep bitmapData], [rep bytesPerRow]);



    // Reorder BGR to RGB
    // no, I don't know why it's in BGR after cvSetData
    for (int i = 0; i < to_return->imageSize; i += 3) {
        uchar tempR, tempG, tempB;
        tempR = to_return->imageData[i];
        tempG = to_return->imageData[i+1];
        tempB = to_return->imageData[i+2];

        to_return->imageData[i] = tempR;
        to_return->imageData[i+1] =tempG;
        to_return->imageData[i+2] = tempB;

    }




    return to_return;
}

最佳答案

这是您对cvSetImageData的调用。调用cvCreateImage时,它同时分配 header 和图像数据。 cvCreateImageHeader仅分配图像头。

当您调用cvSetImageData时,它不会将数据复制到结构中。相反,它只是将指针设置为指向您提供的任何数据。因此,如果先调用cvCreateImage然后调用cvSetImageData,则cvCreateImage分配的图像数据将丢失。

执行此操作的一个相当讨厌的副作用是,用户可能会调用cvReleaseImage,这实际上将尝试释放[rep bitmapData]中的数据。更好的方法是简单地调用cvCreateImage,然后将所有数据从[rep bitmapData]复制到其中。

希望这可以帮助。

08-19 17:32