是否使用saturate_cast

时间:2017-01-26 13:13:28

标签: c++ opencv image-processing

这是一个改变图像对比度和亮度的简单程序。我注意到有另一个程序有一个简单的区别:saturate_cast被添加到代码中。 我没有意识到这样做的原因是什么,并且不需要转换为unsigned char或uchar两个代码(使用saturate_cast<uchar>并且不使用此代码)输出相同的结果。如果有人帮忙,我感激不尽。

这是代码:

#include "opencv2/imgcodecs.hpp"
#include "opencv2/highgui/highgui.hpp"
#include <iostream>
#include "Source.h"


using namespace cv;

double alpha;
int beta;
int main(int, char** argv)
{
    /// Read image given by user
    Mat image = imread(argv[1]);
    Mat image2 = Mat::zeros(image.size(), image.type());



/// Initialize values
        std::cout << " Basic Linear Transforms " << std::endl;
        std::cout << "-------------------------" << std::endl;
        std::cout << "* Enter the alpha value [1.0-3.0]: ";std::cin >> alpha;
        std::cout << "* Enter the beta value [0-100]: "; std::cin >> beta;
    for (int x = 0; x < image.rows; x++)
        {
            for (int y = 0; y < image.cols; y++)
            {
                for (int c = 0; c < 3; c++)
                {
                    image2.at<Vec3b>(x, y)[c] =

                  saturate_cast<uchar>(alpha*(image.at<Vec3b>(x, y)[c]) + beta);

        }
    }

    /// Create Windows
    namedWindow("Original Image", 1);
    namedWindow("New Image", 1);

    /// Show stuff
    imshow("Original Image", image);
    imshow("New Image", image2);


    /// Wait until user press some key
    waitKey();
    return 0;
}

2 个答案:

答案 0 :(得分:4)

由于您的表达结果可能会超出uchar的有效范围,即[0,255],因此您最好始终使用saturate_cast

在您的情况下,表达式alpha*(image.at<Vec3b>(x, y)[c]) + beta的结果是双精度数,因此使用saturate_cast<uchar>来正确地限制值更安全。

此外,这提高了可读性,因为很容易看出你想要表达式uchar

不使用saturate_cast,您可能会遇到意外的值:

uchar u1 = 257;  // u1 = 1, why a very bright value is set to almost black?
uchar u2 = saturate_cast<uchar>(257); // u2 = 255, a very bright value is set to white 

答案 1 :(得分:1)

inline unsigned char saturate_cast_uchar(double val) {
   val += 0.5; // to round the value
   return unsigned char(val < 0 ? 0 : (val > 0xff ? 0xff : val));
}

如果val介于0到255之间,则此函数将返回舍入值, 如果val位于范围[0,255]之外,则它将返回下限或上限值。