为什么这个RAII cout重定向器不起作用:

时间:2018-03-06 15:25:04

标签: c++ iostream

我想使用这个答案中给出的方法:https://stackoverflow.com/a/5419388/2050788,但显然我错过了一些东西,因为cout不会被重定向。有人可以解释我错过的东西吗?

这是一个最小的可编译示例:

#include <sstream>
#include <streambuf>
#include <iostream>

struct cout_redirect {
    cout_redirect( std::streambuf * new_buffer )
        : old( std::cout.rdbuf( new_buffer ) )
    { }

    ~cout_redirect( ) {
        std::cout.rdbuf( old );
    }

private:
    std::streambuf * old;
};

void no_guard() {
  std::cout << "No RAII" << std::endl;
  std::stringstream buffer;
  std::streambuf *old = std::cout.rdbuf(buffer.rdbuf());
  std::cout << "Bla" << std::endl;
  std::cout.rdbuf(old);
  std::cout << "Text = " << buffer.str() << std::endl;
}

void with_guard()
{
  std::cout << "Using RAII" << std::endl;
  std::stringstream buffer;
  cout_redirect(buffer.rdbuf());
  std::cout << "Bla";
}

int main() {
  no_guard();
  with_guard();
}

输出结果为:

 No RAII 
 Text = Bla

 Using RAII
 Bla

No RAII案例按预期工作。在RAII的情况下,我希望没有输出,因为cout应该被重定向到stringstream缓冲区。我错过了什么? (使用gcc 7.3.1编译g++ -Wall test.cpp。)

编辑:好吧,我真的很傻 - 但我足够承认它并将其留在这里以提醒我的错误。

2 个答案:

答案 0 :(得分:1)

我认为cout_redirect(buffer.rdbuf());只会创建在;上删除的临时对象。试试cout_redirect cr(buffer.rdbuf());

在实践中,将这样的东西包装在宏中以自动生成唯一名称是很好的。

答案 1 :(得分:0)

cout_redirect(buffer.rdbuf());构造一个临时cout_redirect对象,重定向cout,然后销毁临时对象,恢复cout

您的意思是cout_redirect guard(buffer.rdbuf());吗?