如何在 google 测试中为多个测试初始化​​常量字符串?

How to initialize constant string for multiple tests in google test?

我正在使用 google 测试,我有一个包含多个测试的 cpp 文件。我想在开始第一次测试时用当前日期和时间初始化一个字符串。我也想在所有其他测试中使用这个字符串。我该怎么做。

我尝试了以下方法(m_stringCnFirstTest 的受保护成员),但它没有用(因为构造函数和 SetUp 将在每个之前被调用测试):

CnFirstTest::CnFirstTest(void) {
    m_string = currentDateTime();
}

void CnFirstTest::SetUp() {
}



TEST_F(CnFirstTest, Test1) {
    // use m_string
}

TEST_F(CnFirstTest, Test2) {
    // use m_string, too
}

您可以使用 gtest testing::Environment 来实现:

#include <chrono>
#include <iostream>

#include "gtest/gtest.h"

std::string currentDateTime() {
  return std::to_string(std::chrono::steady_clock::now().time_since_epoch().count());
}

class TestEnvironment : public ::testing::Environment {
 public:
  // Assume there's only going to be a single instance of this class, so we can just
  // hold the timestamp as a const static local variable and expose it through a
  // static member function
  static std::string getStartTime() {
    static const std::string timestamp = currentDateTime();
    return timestamp;
  }

  // Initialise the timestamp.
  virtual void SetUp() { getStartTime(); }
};

class CnFirstTest : public ::testing::Test {
 protected:
  virtual void SetUp() { m_string = currentDateTime(); }
  std::string m_string;
};

TEST_F(CnFirstTest, Test1) {
  std::cout << TestEnvironment::getStartTime() << std::endl;
  std::cout << m_string << std::endl;
}

TEST_F(CnFirstTest, Test2) {
  std::cout << TestEnvironment::getStartTime() << std::endl;
  std::cout << m_string << std::endl;
}

int main(int argc, char* argv[]) {
  ::testing::InitGoogleTest(&argc, argv);
  // gtest takes ownership of the TestEnvironment ptr - we don't delete it.
  ::testing::AddGlobalTestEnvironment(new TestEnvironment);
  return RUN_ALL_TESTS();
}