在 Google UnitTest 中检测 glog 输出

Detecting a glog output in a Google UnitTest

下面是我的源文件中的函数

cv::Mat* Retina::Preprocessing::create_mask(const cv::Mat *img, const uint8_t threshold) {

    LOG_IF(ERROR, img->empty()) << "The input image is empty. Terminating Now!!";

    cv::Mat green_channel(img->rows(), img->cols(), CV_8UC1); /*!< Green channel. */

    /// Check number of channels in img and based on that find out the green channel.
    switch (img->channels()){
        /// For 3 channels, it is an RGB image and we use cv::mixChannels().
        case(3): {
            int from_to[] =  {1,0};
            cv::mixChannels(img, 1, &green_channel, 1, from_to, 1);
            break;
        }
        /// For a single channel, we assume that it is the green channel.
        case(1): {
            green_channel = *img;
            break;
        }
        /// Otherwise we are out of clue and throw an error.
        default: {
            LOG(ERROR)<<"Number of image channels found = "<< img->channels()<<". Terminating Now!!";
            return nullptr; /*!< (unreachable code) Only given for completion */
        }

    }

    cv::Mat mask(img->rows(), img->cols(), CV_8UC1);/*!< Empty mask image */

    if (threshold == 0)/// Otsu's threshold is used
        cv::threshold(green, mask, threshold, 255, CV_THRESH_BINARY | CV_THRESH_OTSU);
    else /// We can use the provided threshold value
        cv::threshold(green, mask, threshold, 255, CV_THRESH_BINARY);

    LOG_IF(ERROR, mask.empty())<< "After thresholding, image became empty. Terminating Now!!";



    std::vector<std::vector<cv::Point>> contours;

    /// Get the contours in the binary mask.
    cv::findContours(mask, *contours, CV_RETR_LIST, CV_CHAIN_APPROX_NONE);
    size_t max_index{};
    double prev_area{};
    size_t index{};

    /// Lambda function for a convenient one-liner std::for_each. SEE BELOW.
    lambda_max_index = [max_index, prev_area, index] (std::vector<cv::Point> c){
        double new_area { cv::contourArea(c) };
        max_index = (new_area > prev_area) ? max_index = index : max_index;
        ++index;
    };

    /// For each contour compute its area, and over the loop find out the largest contour.
    std::for_each(contours.begin(), contours.end(), lambda_max_index());

    /// Iterate over each point and test if it lies inside the contour, and drive in it.
    for(size_t row_pt = 0; row_pt < mask_out.rows(); ++row_pt){
        for(size_t col_pt = 0; col_pt < mask_out.cols(); ++col_pt){
            if (cv::pointPolygonTest(contours[max_index], cv::Point(row_pt, col_pt))>=0)
                mask[row_pt, col_pt] = 255;
            else
                mask[row_pt, col_pt] = 0;
        }
    }
    return &mask;
}

下面是我写的google单元测试文件。这是我第一次尝试使用 GoogleTest。

#include"PreProcessing.hxx"
#include<opencv2/highgui/highgui.hpp>
#include<gtest/gtest.h>

TEST(Fundus_Mask_Creation, NO_THRESHOLD) {

    cv::Mat img(cv::imread(std::string("../data/test_img.jpg")));

    cv::Mat* mask = Retina::Preprocessing::create_mask(&img);

    ASSERT_TRUE(!(mask->empty()));

    std::string winname("Input Image");
    cv::namedWindow(winname);

    cv::imshow(winname, img);
    cv::waitKey(800);

    cv::destroyWindow(winname);

    winname = "Fundus Mask";
    cv::namedWindow(winname);

    cv::imshow(winname, *mask);
    cv::waitKey(800);
}

    TEST(Fundus_Mask_Creation, THRESHOLD) {

        cv::Mat img(cv::imread(std::string("../data/test_img.jpg")));

        std::uint8_t threshold{10};
        cv::Mat* mask = Retina::Preprocessing::create_mask(&img, threshold);

        ASSERT_TRUE(!(mask->empty()));

        std::string winname("Input Image");
        cv::namedWindow(winname);

        cv::imshow(winname, img);
        cv::waitKey(800);

        cv::destroyWindow(winname);

        winname = "Fundus Mask";
        cv::namedWindow(winname);

        cv::imshow(winname, *mask);
        cv::waitKey(800);
    }

我也想测试这种情况,glog 记录 "Number of image channels found = "<< img->channels()<<". Terminating Now!!!";

当我向它提供导致正确记录上述消息的输入时,我如何编写一个单元测试 运行 成功(即原始源文件会记录一个致命错误)?

您需要模拟 (googlemock) 才能实现。要启用模拟,请为 glog 调用创建一个薄包装器 class,以及此 class 将从中继承的接口(您需要它来启用模拟)。您可以以此为指导:

class IGlogWrapper {
public:
    ...
    virtual void LogIf(int logMessageType, bool condition, const std::string &message) = 0;
    ...
};

class GlogWrapper : public IGlogWrapper {
public:
    ...
    void LogIf(int logMessageType, bool condition, const std::string &message) override {
        LOG_IF(logMessageType, condition) << message;
    }
    ...
};

现在创建一个模拟 class:

class GlogWrapperMock : public IGlogWrapper {
public:
    ...
    MOCK_METHOD3(LogIf, void(int, bool, const std::string &));
    ...
};

并让您的 Retina::Preprocessing class 持有指向 IGlogWrapper 的指针,并通过此接口进行日志记录调用。现在你可以使用依赖注入传递给 Retina::Preprocessing class 一个指向将使用 glog 的真实记录器 class GlogWrapper 的指针,而在测试中你传递一个指向模拟的指针对象(GlogWrapperMock 的实例)。通过这种方式,您可以在具有两个通道的测试中创建一个图像,并在此模拟对象上设置期望以在这种情况下调用函数 LogIf。以下示例使用 public 方法注入要使用的记录器:

using namespace testing;

TEST(Fundus_Mask_Creation, FAILS_FOR_TWO_CHANNEL_IMAGES) {

    // create image with two channels
    cv::Mat img( ... );

    GlogWrapperMock glogMock;
    Retina::Preprocessing::setLogger(&glogMock);

    std::string expectedMessage = "Number of image channels found = 2. Terminating Now!!";
    EXPECT_CALL(glogMock, LogIf(ERROR, _, expectedMessage).WillOnce(Return());

    cv::Mat* mask = Retina::Preprocessing::create_mask(&img);

    // Make additional assertions if necessary
    ...
}

有关模拟的更多信息,请查看文档:https://github.com/google/googletest/blob/master/googlemock/docs/ForDummies.md#getting-started 另外,请注意,您发布的两个单元测试没有多大意义,因为您正在从磁盘加载图像并在断言后进行其他调用。单元测试应该简洁、快速并且与环境隔离。我建议额外阅读有关单元测试的内容,互联网上有很多资源。希望这对您有所帮助!