美文网首页
GoogleTest(事件)-3

GoogleTest(事件)-3

作者: 冀望的air | 来源:发表于2020-12-31 15:56 被阅读0次

    简介

    googletest提供了多种事件机制:

    1. 全局的,所有案例执行前后。
    2. TestSuite级别的,在某一批案例中第一个案例前,最后一个案例执行后。
    3. TestCase级别的,每个TestCase前后。

    全局事件

    要实现全局事件,必须写一个类,继承testing::Environment类,实现里面的SetUp和TearDown方法。

    1. SetUp()方法在所有案例执行前执行

    2. TearDown()方法在所有案例执行后执行

    class FooEnvironment : public testing::Environment
    {
    public:
        virtual void SetUp()
        {
            std::cout << "Foo FooEnvironment SetUP" << std::endl;
        }
        virtual void TearDown()
        {
            std::cout << "Foo FooEnvironment TearDown" << std::endl;
        }
    }
    

    添加这个全局事件,我们需要在main函数中通过testing::AddGlobalTestEnvironment方法将事件挂进来,也就是说,我们可以写很多个这样的类,然后将他们的事件都挂上去。

    int _tmain(int argc, _TCHAR* argv[])
    {
        testing::AddGlobalTestEnvironment(new FooEnvironment);
        testing::InitGoogleTest(&argc, argv);
        return RUN_ALL_TESTS();
    }
    

    TestSuite事件

    我们需要写一个类,继承testing::Test,然后实现两个静态方法

    1. SetUpTestCase() 方法在第一个TestCase之前执行

    2. TearDownTestCase() 方法在最后一个TestCase之后执行</pre>

    class FooTest : public testing::Test {
     protected:
      static void SetUpTestCase() {
        shared_resource_ = new ...
    
    ;
      }
      static void TearDownTestCase() {
        delete shared_resource_;
        shared_resource_ = NULL;
      }
      // Some expensive resource shared by all tests.    static T* shared_resource_;
    };
    
    
    TEST_F(FooTest, Test1)
     {
        //you can refer to shared_resource here    }
    TEST_F(FooTest, Test2)
     {
        //you can refer to shared_resource here    }
    
    

    TestCase事件

    TestCase事件是挂在每个案例执行前后的,实现方式和上面的几乎一样,不过需要实现的是SetUp方法和TearDown方法:

    1. SetUp()方法在每个TestCase之前执行
    2. TearDown()方法在每个TestCase之后执行
    class FooCalcTest:public testing::Test
    {
    protected:
        virtual void SetUp()
        {
            m_foo.Init();
        }
        virtual void TearDown()
        {
            m_foo.Finalize();
        }
    
        FooCalc m_foo;
    };
    
    TEST_F(FooCalcTest, HandleNoneZeroInput)
    {
        EXPECT_EQ(4, m_foo.Calc(12, 16));
    }
    
    TEST_F(FooCalcTest, HandleNoneZeroInput_Error)
    {
        EXPECT_EQ(5, m_foo.Calc(12, 16));
    }
    

    文章参考:https://www.cnblogs.com/coderzh/archive/2009/04/06/1430396.html

    相关文章

      网友评论

          本文标题:GoogleTest(事件)-3

          本文链接:https://www.haomeiwen.com/subject/yholoktx.html