在C#中使用Emgucv旋转图像的像素错误

时间:2019-05-30 10:21:13

标签: c# rotation emgucv

我正在尝试使用emgucv和GetRotationMatrix2D和WarpAffine旋转图像。我尝试了多种方法来旋转图像,尽管这是迄今为止最好的方法,但有时似乎会产生错误的像素。

我使用以下方法将图像读取到Mat对象中并旋转它。

public static void LoadImage(string filepath, Mat target, ImreadModes mode = ImreadModes.Grayscale | ImreadModes.AnyDepth)
{
    using (var mat = CvInvoke.Imread(filepath, mode))
    {
        if (mat == null || mat.Size == System.Drawing.Size.Empty)
            throw new System.IO.IOException($"Image file '{filepath}'           is not readable.");
        mat.CopyTo(target);
    }
}

void rotateMat(ref Mat src, double angle)
{
    Mat r = new Mat();
    PointF pc = new PointF((float)(src.Cols / 2.0), (float)(src.Rows / 2.0));
    CvInvoke.GetRotationMatrix2D(pc, angle, 1.0, r);
    CvInvoke.WarpAffine(src, src, r, src.Size);
}

.....
Mat image = new Mat();
LoadImage("./test.tif", image);
rotateMat(ref image, frameRotation);
.....

此代码可以正常工作,但是在某些情况下,图像的各个部分相互重叠,就像将旋转分别应用于图像段一样。我正在使用16位Tiff文件。

这是我旋转图像后获得的结果:

https://i.stack.imgur.com/xiHvk.jpg

1 个答案:

答案 0 :(得分:0)

您是否尝试过使用RotatedRect而不是Rotation Matrix?当我想将RotatedRect定义的ROI从源图像复制到目标图像时,可以使用此技术。它适用于任何图像。这是一个演示此概念的Windows控制台程序示例:

private static void Main(string[] args)
{
    Mat source = new Mat("dog.jpg", ImreadModes.Unchanged);

    PointF center = new PointF(Convert.ToSingle(source.Width) / 2, Convert.ToSingle(source.Height) / 2);
    Mat destination = new Mat(new System.Drawing.Size(source.Width, source.Height), DepthType.Cv8U, 3);

    RotatedRect destRect = new RotatedRect(center, source.Size, 35);
    Rectangle bbox = destRect.MinAreaRect();

    RotateImage(ref source, ref destination, destRect);
    CvInvoke.Imshow("Source", source);
    CvInvoke.Imshow("Destination", destination);

    CvInvoke.WaitKey(0);
}

private static void RotateImage(ref Mat src, ref Mat destination, RotatedRect destRect)
{
    PointF[] destCorners = destRect.GetVertices();
    PointF[] srcCorners = new PointF[] {
            new PointF(0F, src.Height),
            new PointF(0F, 0F),
            new PointF(src.Width, 0F),
            new PointF(src.Width, src.Height)
    };

    using (Mat aft = CvInvoke.GetAffineTransform(srcCorners, destCorners))
    using (Mat warpResult = new Mat(src.Size, src.Depth, src.NumberOfChannels))
    {
        CvInvoke.WarpAffine(src, warpResult, aft, destination.Size);
        warpResult.CopyTo(destination);
    }
}

此示例示例将剪切生成的图像。我将作为练习供读者调整目标大小以防止剪切。

道格