题目:加载并显示图像
#include
#include
#include
using namespace std;
using namespace cv;
int main()
{
Mat image = imread("D:\\cLion\\project\\image\\2.jpg");
imshow("First image", image);
waitKey(0);
}
imread
函数原型为 imread(const string& filename, int flags=1)
filename
需要的是图像的路径。该函数从文件中加载图像并返回一个矩阵,如果图像不能被读取,则返回一个空的矩阵flag
的效果
flag=-1
:8位深度,原通道flag=0
:8位深度,单通道(读取出来是灰度图)flag=1
:8位深度,3通道(RGB)flag=2
:原深度,单通道flag=3
:原深度,3通道flag=4
:8位深度,3通道waitkey()
控制这 imshow(n)
的窗口持续时间,单位是 ms,图像显示窗口将在 n ms 后关闭
waitkey()
和 waitkey(0)
都表示无限等待题目:实现一个读取图像任意通道的函数
#include
#include
#include
#include
using namespace std;
using namespace cv;
void getChannel(const uchar* input, int width, int height, int inStep, int inChannels, uchar* output, int outStep, int channelToGet){
for (int y = 0; y < height; ++y, input += inStep, output += outStep){
const uchar* px = input; // 二维数组中每个一维数组的起始地址
for (int x = 0; x < width; ++x, px += inChannels)
output[x] = px[channelToGet]; //一维数组访问元素
}
}
int main()
{
Mat image = imread("D:\\cLion\\project\\image\\2.jpg");
Mat output_image(image.size(), CV_8UC1); // 将输出图像设置为单通道
getChannel(image.data, image.cols, image.rows, image.step, image.channels(), output_image.data, output_image.step, 2);
imshow("output", output_image);
waitKey(0);
}
data
部分是一个二维数组,像通常的二维数组一样访问就好了step
)
B通道:
G通道:
R通道:
题目:现有一张4通道透明图像 a.png
alpha
通道并显示alpha
混合,为透明图像替换一张新的背景#include
#include
#include
using namespace std;
using namespace cv;
int main()
{
Mat imageA = imread("D:\\cLion\\project\\alpha.png", IMREAD_UNCHANGED); // 前景
Mat imageB = imread("D:\\cLion\\project\\sdu01.png"); // 背景
vector mask_channels;
float alpha = 1.0;
// 分离通道
split(imageA, mask_channels); // 分离出 RGBA 分别作为一个图像
// 取出 alpha 通道
Mat mask = mask_channels[3];
imshow("alpha image", mask);
waitKey(1000); // 看个三秒
Mat mixImage(imageB.size(), CV_8UC3);
for (int i = 0; i < imageB.rows; i++)
for (int j = 0; j < imageB.cols; j++) {
if (i < imageA.rows && j < imageA.cols && mask.at(i, j))
for(int k = 0; k < 3; k++) mixImage.at(i, j)[k] = saturate_cast(alpha * float(imageA.at(i, j)[k]) + (1 - alpha) * float(imageB.at(i, j)[k]));
else mixImage.at(i, j) = imageB.at(i, j);
}
imshow("mixed image", mixImage);
waitKey(0);
}
imread()
函数后面的参数是 -1
或者 IMREAD_UNCHANGED
时代表读入原通道,而 png
图像本身就是具有 alpha
通道的,所以加了这两个参数(这俩都行),就能够读入四通道图像(注意:jpg
图像是没有第四个通道的),这张作为前景图split
函数的功能是进行通道分离(其实实验二的通道分离就是这个函数)alpha
合成参数,当然也可以根据图像的 alpha
通道值来确定Vec4b
,三通道图像使用的是 Vec3b
saturate_cast
函数的功能是防止数据溢出(大于255时设置为255,小于0时设置为0)