在画布上绘制旋转图像

时间:2012-02-26 15:17:45

标签: c++ image-processing rotation coordinate-transformation

我正在尝试用另一个图像的旋转版本替换图像的一部分。图像源应该以这样的方式出现,即origin_source最终位于image *中的orign_dest。在替换像素之前,还应该在origin_source周围旋转源。

当R是镜像矩阵时,下面的代码可以工作,但如果我实际上将它转换为旋转矩阵,则生成的图像会被剪切掉。有什么问题?

void Image::imageApply(const Image& source,const Point& origin_dest,const Point& origin_source,const Point& direction)
{
Matrix22<double> R=transformRotationCreate(direction);
Point source_new_size=sqrt(2)*((Point){source.widthGet(),source.heightGet()});
Point blit_start=origin_dest;
for(unsigned int k=0;k<source_new_size.y;k++)
    {
    for(unsigned int l=0;l<source_new_size.x;l++)
        {
        Point point_source=(Point){l,k};
        Point point_dest=point_source-origin_source;
        point_dest*=R;
        point_dest+=blit_start;

        if(point_source.rectangleInIs((Point){0,0},(Point){source.widthGet(),source.heightGet()})
            &&point_dest.rectangleInIs((Point){0,0},(Point){widthGet(),heightGet()}))
            {
            (*this)(point_dest)=source(point_source);
            }
        }
    }
}

以下是其他一些使用的功能:

T =双

template<class T>
struct Matrix22
{
T xx;
T xy;
T yx;
T yy;
};

方向是归一化向量

inline Matrix22<double> transformRotationCreate(const Vector2d<double>& direction)
{
return (Matrix22<double>){direction.x, -direction.y, direction.y, direction.x};
}

另外

Vector2d<T>& operator*=(const Matrix22<T>& M)
    {
    x=x*M.xx + y*M.xy;
    y=x*M.yx + y*M.yy;
    return *this;
    }

1 个答案:

答案 0 :(得分:0)

我解决了它

首先,矩阵向量乘法运算符是错误的:

Vector2d<T>& operator*=(const Matrix22<T>& M)
    {
    T x_old=x;  //Need to save old x value (Stupid error but anyone does so sometimes)
    x=x*M.xx + y*M.xy;
    y=x_old*M.yx + y*M.yy;
    return *this;
    }

最终的“旋转和粘贴”例程如下所示:

void Image::imageApply(const Image& source,const Point& origin_dest,const Point& origin_source,const Point& direction)
{
Matrix22<double> R=transformRotationCreate(direction);
Point blit_start=origin_dest-(Point){source.sizeMaxGet(),source.sizeMaxGet()};
Point blit_end=origin_dest+(Point){source.sizeMaxGet(),source.sizeMaxGet()};

for(unsigned int k=blit_start.y;k<blit_end.y;k++)
    {
    for(unsigned int l=blit_start.x;l<blit_end.x;l++)
        {
        Point point_dest=(Point){l,k};
        Point point_source=R*(point_dest - origin_dest) + origin_source;
        if(point_source.rectangleInIs((Point){0,0},(Point){source.widthGet(),source.heightGet()} ))
            {
            float alpha_source=source(point_source).alpha;
            (*this)(point_dest)=(1.0f-alpha_source)*(*this)(point_dest)
                                + alpha_source*source(point_source);
            }
        }
    }
}

最后,旋转方向是错误的,但这只是转换中xy因子的交换。