我需要将图像旋转90度,180度或270度。在OpenCV4Android中我可以使用:
Imgproc.getRotationMatrix2D(new Point(center, center), degrees, 1);
Imgproc.warpAffine(src, dst, rotationMatrix, dst.size());
然而,这是我的图像处理算法的一个巨大瓶颈。当然,通过90度的倍数进行简单旋转比warpAffine
的最常见情况简单得多,并且可以更有效地完成。例如,对于180度,我可以使用:
Core.flip(src, dst, -1);
其中-1表示翻转水平轴和垂直轴。是否有类似的优化我可以用于90或270度旋转?
答案 0 :(得分:45)
我不太了解java api,这个代码是由c ++开发的。 逻辑应该是相同的,使用transpose + flip来旋转图像 90n(n属于N = - 最小值int,.....,-3,-2,-1,0,1,2,3 ......,最大值为int)
/*
*@brief rotate image by multiple of 90 degrees
*
*@param source : input image
*@param dst : output image
*@param angle : factor of 90, even it is not factor of 90, the angle
* will be mapped to the range of [-360, 360].
* {angle = 90n; n = {-4, -3, -2, -1, 0, 1, 2, 3, 4} }
* if angle bigger than 360 or smaller than -360, the angle will
* be map to -360 ~ 360.
* mapping rule is : angle = ((angle / 90) % 4) * 90;
*
* ex : 89 will map to 0, 98 to 90, 179 to 90, 270 to 3, 360 to 0.
*
*/
void rotate_image_90n(cv::Mat &src, cv::Mat &dst, int angle)
{
if(src.data != dst.data){
src.copyTo(dst);
}
angle = ((angle / 90) % 4) * 90;
//0 : flip vertical; 1 flip horizontal
bool const flip_horizontal_or_vertical = angle > 0 ? 1 : 0;
int const number = std::abs(angle / 90);
for(int i = 0; i != number; ++i){
cv::transpose(dst, dst);
cv::flip(dst, dst, flip_horizontal_or_vertical);
}
}
编辑:改善表现,感谢TimZaman的评论和1''
的实施void rotate_90n(cv::Mat const &src, cv::Mat &dst, int angle)
{
CV_Assert(angle % 90 == 0 && angle <= 360 && angle >= -360);
if(angle == 270 || angle == -90){
// Rotate clockwise 270 degrees
cv::transpose(src, dst);
cv::flip(dst, dst, 0);
}else if(angle == 180 || angle == -180){
// Rotate clockwise 180 degrees
cv::flip(src, dst, -1);
}else if(angle == 90 || angle == -270){
// Rotate clockwise 90 degrees
cv::transpose(src, dst);
cv::flip(dst, dst, 1);
}else if(angle == 360 || angle == 0 || angle == -360){
if(src.data != dst.data){
src.copyTo(dst);
}
}
}
答案 1 :(得分:14)
这是您使用Google时的第一个结果,这些解决方案都没有真正回答这个问题,或者是正确还是简洁。
Core.rotate(Mat src, Mat dst, Core.ROTATE_90_CLOCKWISE); //ROTATE_180 or ROTATE_90_COUNTERCLOCKWISE
答案 2 :(得分:9)
这会将图像旋转任意度数,使用效率最高的90倍。
void
rotate_cw(const cv::Mat& image, cv::Mat& dest, int degrees)
{
switch (degrees % 360) {
case 0:
dest = image.clone();
break;
case 90:
cv::flip(image.t(), dest, 1);
break;
case 180:
cv::flip(image, dest, -1);
break;
case 270:
cv::flip(image.t(), dest, 0);
break;
default:
cv::Mat r = cv::getRotationMatrix2D({image.cols/2.0F, image.rows/2.0F}, degrees, 1.0);
int len = std::max(image.cols, image.rows);
cv::warpAffine(image, dest, r, cv::Size(len, len));
break; //image size will change
}
}
但是使用opencv 3.0,只需通过cv::rotate命令完成:
cv::rotate(image, dest, e.g. cv::ROTATE_90_COUNTERCLOCKWISE);
答案 3 :(得分:6)
以下是使用Android API的解决方案。在这里,我用它来旋转相机的图像,可以安装在不同的方向。
if (mCameraOrientation == 270) {
// Rotate clockwise 270 degrees
Core.flip(src.t(), dst, 0);
} else if (mCameraOrientation == 180) {
// Rotate clockwise 180 degrees
Core.flip(src, dst, -1);
} else if (mCameraOrientation == 90) {
// Rotate clockwise 90 degrees
Core.flip(src.t(), dst, 1);
} else if (mCameraOrientation == 0) {
// No rotation
dst = src;
}
答案 4 :(得分:3)
这是我的Python翻译(感谢所有海报):
import cv2
def rot90(img, rotflag):
""" rotFlag 1=CW, 2=CCW, 3=180"""
if rotflag == 1:
img = cv2.transpose(img)
img = cv2.flip(img, 1) # transpose+flip(1)=CW
elif rotflag == 2:
img = cv2.transpose(img)
img = cv2.flip(img, 0) # transpose+flip(0)=CCW
elif rotflag ==3:
img = cv2.flip(img, -1) # transpose+flip(-1)=180
elif rotflag != 0: # if not 0,1,2,3
raise Exception("Unknown rotation flag({})".format(rotflag))
return img
答案 5 :(得分:2)
我仅使用Numpy
编写了此Python版本,这比使用cv2.transpose()
和cv2.flip()
要快得多。
def rotate_image_90(im, angle):
if angle % 90 == 0:
angle = angle % 360
if angle == 0:
return im
elif angle == 90:
return im.transpose((1,0, 2))[:,::-1,:]
elif angle == 180:
return im[::-1,::-1,:]
elif angle == 270:
return im.transpose((1,0, 2))[::-1,:,:]
else:
raise Exception('Error')
答案 6 :(得分:2)
您可以使用numpy rot90
函数
喜欢
def rotate_image(image,deg):
if deg ==90:
return np.rot90(image)
if deg ==180:
return np.rot90(image,2)
if deg == 270:
return np.rot90(image,-1) #Reverse 90 deg rotation
希望这有帮助..
答案 7 :(得分:0)
使用numpy.rot90
,如果你想要180度,只需要做两次。
import numpy as np
import cv2
img = cv2.imread('img.png',1)
cv2.imshow('',img)
cv2.waitKey(0)
img90 = np.rot90(img)
cv2.imshow('',img90)
cv2.waitKey(0)
答案 8 :(得分:0)
在python中:
# import the necessary packages
import numpy as np
import cv2
# initialize the camera and grab a reference to the raw camera capture
vs = cv2.VideoCapture(0)
(ret, image_original) = vs.read()
image_rotated_90 = np.rot90(image_original)
image_rotated_180 = np.rot90(image_rotated_90)
# show the frame and press any key to quit the image frame
cv2.imshow("Frame", image_rotated_180)
cv2.waitKey(0)
答案 9 :(得分:0)
这是一个可以旋转任意角度[-360 ... 360]
def rotate_image(image, angle):
# Grab the dimensions of the image and then determine the center
(h, w) = image.shape[:2]
(cX, cY) = (w / 2, h / 2)
# Grab the rotation matrix (applying the negative of the
# angle to rotate clockwise), then grab the sine and cosine
# (i.e., the rotation components of the matrix)
M = cv2.getRotationMatrix2D((cX, cY), -angle, 1.0)
cos = np.abs(M[0, 0])
sin = np.abs(M[0, 1])
# Compute the new bounding dimensions of the image
nW = int((h * sin) + (w * cos))
nH = int((h * cos) + (w * sin))
# Adjust the rotation matrix to take into account translation
M[0, 2] += (nW / 2) - cX
M[1, 2] += (nH / 2) - cY
# Perform the actual rotation and return the image
return cv2.warpAffine(image, M, (nW, nH))
用法
import cv2
import numpy as np
image = cv2.imread('1.png')
rotate = rotate_image(image, angle=90)
答案 10 :(得分:0)
没有人注意到这种简单的方法。使用cv2.rotate
将图片顺时针旋转90度
image = cv2.rotate(src, cv2.cv2.ROTATE_90_CLOCKWISE)
其他标志
ROTATE_90_CLOCKWISE Python:cv.ROTATE_90_CLOCKWISE
ROTATE_180 Python:cv.ROTATE_180
ROTATE_90_COUNTERCLOCKWISE Python:cv.ROTATE_90_COUNTERCLOCKWISE
cv2官方链接https://docs.opencv.org/3.4/d2/de8/group__core__array.html#ga4ad01c0978b0ce64baa246811deeac24