opencv c++给视频添加高斯噪声与椒盐噪声
时间: 2023-12-31 19:06:57 浏览: 148
添加高斯噪声可以使用cv::randn()函数来生成高斯分布的随机数,并将其加到图像像素上。具体实现代码如下:
```c++
cv::Mat addGaussianNoise(cv::Mat image, double mean, double stddev)
{
cv::Mat noise = cv::Mat(image.size(), CV_8UC1);
cv::randn(noise, mean, stddev);
cv::Mat result = image.clone();
result += noise;
return result;
}
```
其中,mean和stddev分别表示高斯分布的均值和标准差,可以根据需要进行调整。
添加椒盐噪声可以使用cv::randu()函数来生成随机数,并根据生成的随机数将像素值设为黑色或白色。具体实现代码如下:
```c++
cv::Mat addSaltAndPepperNoise(cv::Mat image, double noiseRatio)
{
cv::Mat noise = cv::Mat(image.size(), CV_8UC1);
cv::randu(noise, 0, 255);
cv::Mat result = image.clone();
for (int i = 0; i < image.rows; i++)
{
for (int j = 0; j < image.cols; j++)
{
double r = (double)cv::rand() / (RAND_MAX + 1.0);
if (r < noiseRatio / 2)
{
result.at<uchar>(i, j) = 0;
}
else if (r < noiseRatio)
{
result.at<uchar>(i, j) = 255;
}
}
}
return result;
}
```
其中,noiseRatio表示噪声比例,即椒盐噪声占图像像素的比例,可以根据需要进行调整。
阅读全文