Opencv Cheatsheet

Published on June 2016 | Categories: Documents | Downloads: 129 | Comments: 0 | Views: 470
of 2
Download PDF   Embed   Report

Comments

Content

OpenCV 2.1 Cheat Sheet (C++)
The OpenCV C++ reference manual is here: http: // opencv. willowgarage. com/ documentation/ cpp/ . Use Quick Search to find descriptions of the particular functions and classes

Key OpenCV Classes
Point Point3 Size Vec Scalar Rect Range Mat MatND SparseMat Ptr Template 2D point class Template 3D point class Template size (width, height) class Template short vector class 4-element vector Rectangle Integer value range 2D dense array (used as both a matrix or an image) Multi-dimensional dense array Multi-dimensional sparse array Template smart pointer class

for(int y = 1; y < image.rows-1; y++) { Vec3b* prevRow = image.ptr<Vec3b>(y-1); Vec3b* nextRow = image.ptr<Vec3b>(y+1); for(int x = 0; y < image.cols; x++) for(int c = 0; c < 3; c++) dyImage.at<Vec3b>(y,x)[c] = saturate cast<uchar>( nextRow[x][c] - prevRow[x][c]); } Mat <Vec3b>::iterator it = image.begin<Vec3b>(), itEnd = image.end<Vec3b>(); for(; it != itEnd; ++it) (*it)[1] ^= 255;

– correspondingly, addition, subtraction, element-wise multiplication ... comparison of two matrices or a matrix and a scalar. Example. Alpha compositing function: void alphaCompose(const Mat& rgba1, const Mat& rgba2, Mat& rgba dest) { Mat a1(rgba1.size(), rgba1.type()), ra1; Mat a2(rgba2.size(), rgba2.type()); int mixch[]={3, 0, 3, 1, 3, 2, 3, 3}; mixChannels(&rgba1, 1, &a1, 1, mixch, 4); mixChannels(&rgba2, 1, &a2, 1, mixch, 4); subtract(Scalar::all(255), a1, ra1); bitwise or(a1, Scalar(0,0,0,255), a1); bitwise or(a2, Scalar(0,0,0,255), a2); multiply(a2, ra1, a2, 1./255); multiply(a1, rgba1, a1, 1./255); multiply(a2, rgba2, a2, 1./255); add(a1, a2, rgba dest); } • sum(), mean(), meanStdDev(), norm(), countNonZero(), minMaxLoc(), – various statistics of matrix elements. • exp(), log(), pow(), sqrt(), cartToPolar(), polarToCart() – the classical math functions. • scaleAdd(), transpose(), gemm(), invert(), solve(), determinant(), trace() eigen(), SVD, – the algebraic functions + SVD class. • dft(), idft(), dct(), idct(), – discrete Fourier and cosine transformations For some operations a more convenient algebraic notation can be used, for example: Mat delta = (J.t()*J + lambda* Mat::eye(J.cols, J.cols, J.type())) .inv(CV SVD)*(J.t()*err); implements the core of Levenberg-Marquardt optimization algorithm.

Matrix Manipulations: Copying, Shuffling, Part Access
src.copyTo(dst) Copy matrix to another one src.convertTo(dst,type,scale,shift) Scale and convert to another datatype m.clone() Make deep copy of a matrix m.reshape(nch,nrows) Change matrix dimensions and/or number of channels without copying data m.row(i), m.col(i) Take a matrix row/column m.rowRange(Range(i1,i2)) Take a matrix row/column span m.colRange(Range(j1,j2)) m.diag(i) Take a matrix diagonal m(Range(i1,i2),Range(j1,j2)),Take a submatrix m(roi) m.repeat(ny,nx) Make a bigger matrix from a smaller one flip(src,dst,dir) Reverse the order of matrix rows and/or columns split(...) Split multi-channel matrix into separate channels merge(...) Make a multi-channel matrix out of the separate channels mixChannels(...) Generalized form of split() and merge() randShuffle(...) Randomly shuffle matrix elements Example 1. Smooth image ROI in-place Mat imgroi = image(Rect(10, 20, 100, 100)); GaussianBlur(imgroi, imgroi, Size(5, 5), 1.2, 1.2); Example 2. Somewhere in a linear algebra algorithm m.row(i) += m.row(j)*alpha; Example 3. Copy image ROI to another image with conversion Rect r(1, 1, 10, 20); Mat dstroi = dst(Rect(0,10,r.width,r.height)); src(r).convertTo(dstroi, dstroi.type(), 1, 0);

Matrix Basics
Create a matrix Mat image(240, 320, CV 8UC3); [Re]allocate a pre-declared matrix image.create(480, 640, CV 8UC3); Create a matrix initialized with a constant Mat A33(3, 3, CV 32F, Scalar(5)); Mat B33(3, 3, CV 32F); B33 = Scalar(5); Mat C33 = Mat::ones(3, 3, CV 32F)*5.; Mat D33 = Mat::zeros(3, 3, CV 32F) + 5.; Create a matrix initialized with specified values double a = CV PI/3; Mat A22 = (Mat <float>(2, 2) << cos(a), -sin(a), sin(a), cos(a)); float B22data[] = {cos(a), -sin(a), sin(a), cos(a)}; Mat B22 = Mat(2, 2, CV 32F, B22data).clone(); Initialize a random matrix randu(image, Scalar(0), Scalar(256)); // uniform dist randn(image, Scalar(128), Scalar(10)); // Gaussian dist Convert matrix to/from other structures (without copying the data) Mat image alias = image; float* Idata=new float[480*640*3]; Mat I(480, 640, CV 32FC3, Idata); vector<Point> iptvec(10); Mat iP(iptvec); // iP – 10x1 CV 32SC2 matrix IplImage* oldC0 = cvCreateImage(cvSize(320,240),16,1); Mat newC = cvarrToMat(oldC0); IplImage oldC1 = newC; CvMat oldC2 = newC; ... (with copying the data) Mat newC2 = cvarrToMat(oldC0).clone(); vector<Point2f> ptvec = Mat <Point2f>(iP); Access matrix elements A33.at<float>(i,j) = A33.at<float>(j,i)+1; Mat dyImage(image.size(), image.type());

Image Processsing
Filtering
filter2D() sepFilter2D() boxFilter(), GaussianBlur(), medianBlur(), bilateralFilter() Sobel(), Scharr() Laplacian() erode(), dilate() Non-separable linear filter Separable linear filter Smooth the image with one of the linear or non-linear filters

Simple Matrix Operations
OpenCV implements most common arithmetical, logical and other matrix operations, such as • add(), subtract(), multiply(), divide(), absdiff(), bitwise and(), bitwise or(), bitwise xor(), max(), min(), compare()

Compute the spatial image derivatives ∂2 ∂2I compute Laplacian: ∆I = ∂xI + ∂y2 2 Erode or dilate the image

1

Simple GUI (highgui module) FileStorage fs("test.yml", FileStorage::WRITE); fs << "i" << 5 << "r" << 3.1 << "str" << "ABCDEFGH"; namedWindow(winname,flags) Create named highgui window fs << "mtx" << Mat::eye(3,3,CV 32F); destroyWindow(winname) Destroy the specified window fs << "mylist" << "[" << CV PI << "1+1" << imshow(winname, mtx) Show image in the window "{:" << "month" << 12 << "day" << 31 << "year" waitKey(delay) Wait for a key press during the speci<< 1969 << "}" << "]"; fied time interval (or forever). Process fs << "mystruct" << "{" << "x" << 1 << "y" << 2 << Geometrical Transformations events while waiting. Do not forget to "width" << 100 << "height" << 200 << "lbp" << "[:"; resize() Resize image call this function several times a second const uchar arr[] = {0, 1, 1, 0, 1, 1, 0, 1}; getRectSubPix() Extract an image patch in your code. fs.writeRaw("u", arr, (int)(sizeof(arr)/sizeof(arr[0]))); warpAffine() Warp image affinely createTrackbar(...) Add trackbar (slider) to the specified fs << "]" << "}"; warpPerspective() Warp image perspectively window remap() Generic image warping Scalars (integers, floating-point numbers, text strings), setMouseCallback(...) Set the callback on mouse clicks and convertMaps() Optimize maps for a faster remap() exmatrices, STL vectors of scalars and some other types can be movements in the specified window ecution written to the file storages using << operator See camshiftdemo.c and other OpenCV samples on how to use √ the GUI functions. Example. Decimate image by factor of 2: Reading the data back Mat dst; resize(src, dst, Size(), 1./sqrt(2), 1./sqrt(2)); Type of the file is determined from the content // FileStorage fs("test.yml", FileStorage::READ); Camera Calibration, Pose Estimation int i1 = (int)fs["i"]; double r1 = (double)fs["r"]; Various Image Transformations and Depth Estimation string str1 = (string)fs["str"]; cvtColor() Convert image from one color space to Mat M; fs["mtx"] >> M; another calibrateCamera() Calibrate camera from several views of threshold(), Convert grayscale image to binary image FileNode tl = fs["mylist"]; a calibration pattern. CV Assert(tl.type() == FileNode::SEQ && tl.size() == 3); adaptivethreshold() using a fixed or a variable threshold findChessboardCorners() Find feature points on the checkerfloodFill() Find a connected component using re- double tl0 = (double)tl[0]; string tl1 = (string)tl[1]; board calibration pattern. int m = (int)tl[2]["month"], d = (int)tl[2]["day"]; gion growing algorithm solvePnP() Find the object pose from the known int year = (int)tl[2]["year"]; integral() Compute integral image projections of its feature points. distanceTransform() build distance map or discrete Voronoi FileNode tm = fs["mystruct"]; stereoCalibrate() Calibrate stereo camera. Rect r; r.x = (int)tm["x"], r.y = (int)tm["y"]; diagram for a binary image. Compute the rectification transforms for r.width = (int)tm["width"], r.height = (int)tm["height"]; stereoRectify() watershed(), marker-based image segmentation algoa calibrated stereo camera. grabCut() rithms. See the samples watershed.cpp int lbp val = 0; initUndistortRectifyMap() Compute rectification map (for FileNodeIterator it = tm["lbp"].begin(); and grabcut.cpp. remap()) for each stereo camera head. for(int k = 0; k < 8; k++, ++it) StereoBM, StereoSGBM The stereo correspondence engines to be lbp val |= ((int)*it) << k; run on rectified stereo pairs. Histograms reprojectImageTo3D() Convert disparity map to 3D point calcHist() Compute image(s) histogram Scalars are read using the corresponding FileNode’s cast cloud. calcBackProject() Back-project the histogram operators. Matrices and some other types are read using >> findHomography() Find best-fit perspective transformation equalizeHist() Normalize image brightness and conoperator. Lists can be read using FileNodeIterator’s. between two 2D point sets. trast To calibrate a camera, you can use calibration.cpp or compareHist() Compare two histograms Writing and reading raster images stereo calib.cpp samples. To get the disparity maps and the imwriteimwrite("myimage.jpg", image); Example. Compute Hue-Saturation histogram of an image: point clouds, use stereo match.cpp sample. Mat image color copy = imread("myimage.jpg", 1); Mat hsv, H; MatND tempH; Mat image grayscale copy = imread("myimage.jpg", 0); cvtColor(image, hsv, CV BGR2HSV); Object Detection int planes[]={0, 1}, hsize[] = {32, 32}; The functions can read/write images in the following formats: calcHist(&hsv, 1, planes, Mat(), tempH, 2, hsize, 0); matchTemplate Compute proximity map for given temBMP (.bmp), JPEG (.jpg, .jpeg), TIFF (.tif, .tiff ), PNG H = tempH; plate. (.png), PBM/PGM/PPM (.p?m), Sun Raster (.sr), CascadeClassifier Viola’s Cascade of Boosted classifiers usJPEG 2000 (.jp2). Every format supports 8-bit, 1- or Contours ing Haar or LBP features. Suits for de3-channel images. Some formats (PNG, JPEG 2000) support See contours.cpp and squares.c samples on what are the tecting faces, facial features and some 16 bits per channel. contours and how to use them. other objects without diverse textures. Reading video from a file or from a camera See facedetect.cpp Data I/O VideoCapture cap; HOGDescriptor N. Dalal’s object detector using XML/YAML storages are collections (possibly nested) of if(argc > 1) cap.open(string(argv[1])); else cap.open(0); Histogram-of-Oriented-Gradients scalar values, structures and heterogeneous lists. Mat frame; namedWindow("video", 1); (HOG) features. Suits for detectfor(;;) { ing people, cars and other objects Writing data to YAML (or XML) cap >> frame; if(!frame.data) break; with well-defined silhouettes. See // Type of the file is determined from the extension imshow("video", frame); if(waitKey(30) >= 0) break; peopledetect.cpp }
Example. Filter image in-place with a 3x3 high-pass kernel (preserve negative responses by shifting the result by 128): filter2D(image, image, image.depth(), (Mat <float>(3,3)<< -1, -1, -1, -1, 9, -1, -1, -1, -1), Point(1,1), 128);

2

Sponsor Documents

Or use your account on DocShare.tips

Hide

Forgot your password?

Or register your new account on DocShare.tips

Hide

Lost your password? Please enter your email address. You will receive a link to create a new password.

Back to log-in

Close