This question already has answers here:
What is the point of clog?

(6个答案)


4年前关闭。




我的代码中有一条基本的调试消息,它会打印一条有关调用什么函数的消息。
#ifdef _DEBUG
     std::clog << "message etc" << std::endl;
#endif

如何重定向输出以将消息发送到文本文件?

最佳答案

您可以设置与clog关联的缓冲区,该缓冲区使用文件来保存其数据。

这是一个演示概念的简单程序。

#include <iostream>
#include <fstream>

int main()
{
   std::ofstream out("test.txt");

   // Get the rdbuf of clog.
   // We need it to reset the value before exiting.
   auto old_rdbuf = std::clog.rdbuf();

   // Set the rdbuf of clog.
   std::clog.rdbuf(out.rdbuf());

   // Write to clog.
   // The output should go to test.txt.
   std::clog << "Test, Test, Test.\n";

   // Reset the rdbuf of clog.
   std::clog.rdbuf(old_rdbuf);

   return 0;
}

10-04 11:54