1

我正在尝试在使用 google test 执行测试时将基本信息记录在文本文件中。我的最终目标是记录异常的踪迹。

在我使用 C++11 的项目中,最新版本的 Google 测试通过 CMake 和 spdlog 作为仅标头添加到项目中(添加到项目内的库中)。

出于某种原因,即使在尝试强制刷新之后,记录器也不会写入文件。我已经尝试了来自互联网的不同“快速入门”,但没有什么对我有用。我不认为这可能是一个问题,但一个假设是您不能在 test 的上下文中写入文件。该项目的结构如下:

.
|
├── build
├── cmake
├── libs
|   ├── ...
|   └── spdlog (*)
├── src
|   ├── ...
|   ├── main.cpp
|   └── CMakeLists.txt
├── test
|   ├── ...
|   ├── CMakeLists.txt
|   └── core
|       └── logging
|           ├── log
|           |   └── logger.txt
|           └── logging_test.cpp
├── ...
└── CMakeLists.txt 

(*) 目录中的文件是 spdlog/include/spdlog https://github.com/gabime/spdlog/tree/v1.x/include/spdlog中的文件

这是测试类中的代码 logging_test.cpp。运行测试后check_exception_thrown_equal没有写入任何内容logger.txt。可能是什么问题?

#include <exception>
#include "gtest/gtest.h"
#include <spdlog/spdlog.h>
#include <spdlog/sinks/basic_file_sink.h>


class LoggingTest: public testing::Test {

 protected:
  std::shared_ptr<spdlog::logger> logger;

  struct ExceptionTemplate : std::exception {
    const char* what() { return "ExceptionTemplate triggered!"; }
  };

 // create logger 
 void create_logger() {
   // Create basic file logger (not rotated)
   logger = spdlog::basic_logger_mt("logger", "log/logger.txt");
 }

  // setup logger configurations 
  void set_up() {
    logger->set_level(spdlog::level::info);
    logger->flush_on(spdlog::level::info);
    logger->info("Debug logger setup done. \n");
  }

  // critical method that generates and returns my exception of type ExceptionTemplate
  ExceptionTemplate exception_generator() {
    try {

      ///////////////////////////////
      // call to critical method here
      ///////////////////////////////

      throw ExceptionTemplate();
    }
    catch (ExceptionTemplate &e) {
      log_exception(e);
      return e;
    }
  }

  // write to logger 
  void log_exception(ExceptionTemplate e) {
    try {

      LoggingTest::create_logger();
      LoggingTest::set_up();

      logger->info("Exception raised! {}", e.what());
    }
    catch (const spdlog::spdlog_ex &ex) {
      std::cout << "Log initialization failed: " << ex.what() << std::endl;
    }
  }
};


TEST_F(LoggingTest, check_exception_thrown_equal) {
  ASSERT_STREQ(LoggingTest::exception_generator().what(), "ExceptionTemplate triggered!");
}
4

1 回答 1

2

尝试使用更简单的设置,你不需要所有的“帮助”函数等,或者一开始就需要与异常相关的东西。只需在调用您的类的构造函数时记录一条消息。

class LoggingTest {
  LoggingTest() {
    auto logger = spdlog::basic_logger_mt("test_logger", "logs/test.txt");
    spdlog::set_default_logger(logger);
    spdlog::flush_on(spdlog::level::info);

    spdlog::get("test_logger")->info("LoggingTest::ctor");
  }
}

main然后只需在您的(或其他任何地方)中创建该类的实例。确保该目录存在并且是可写的(尽管这个 usu. 会导致错误,而不是静默失败)。

于 2020-03-30T05:24:57.000 回答