12

假设我们有一个将文本打印到控制台的函数,并且我们无法控制源,但我们可以调用它。例如

void foo() {
    std::cout<<"hello world"<<std::endl; 
    print_to_console(); // this could be printed from anything
}

是否可以在不更改函数本身的情况下将上述函数的输出重定向到字符串?

我不是在寻找通过终端执行此操作的方法

4

3 回答 3

27

是的。这是可以做到的。这是一个小演示:

#include <sstream>
#include <iostream>

void print_to_console() {
    std::cout << "Hello from print_to_console()" << std::endl;
}

void foo(){
  std::cout<<"hello world"<<std::endl; 
  print_to_console(); // this could be printed from anything
}
int main()
{
    std::stringstream ss;

    //change the underlying buffer and save the old buffer
    auto old_buf = std::cout.rdbuf(ss.rdbuf()); 

    foo(); //all the std::cout goes to ss

    std::cout.rdbuf(old_buf); //reset

    std::cout << "<redirected-output>\n" 
              << ss.str() 
              << "</redirected-output>" << std::endl;
}

输出:

<redirected-output>
hello world
Hello from print_to_console()
</redirected-output>

请参阅在线演示

于 2013-10-21T02:59:08.023 回答
7

@Andre 在我的第一个答案的评论中问道:

如果他们使用 printf、puts、write 等会发生什么?——安德烈·科斯图尔

对于printf,我想出了以下解决方案。它仅适用于 POSIX,因为fmemopen仅适用于 POSIX,但如果您愿意,您可以使用临时文件——如果您想要一个可移植的解决方案,那会更好。基本思想将是相同的。

#include <cstdio>

void print_to_console() {
    std::printf( "Hello from print_to_console()\n" );
}

void foo(){
  std::printf("hello world\n");
  print_to_console(); // this could be printed from anything
}

int main()
{
    char buffer[1024];
    auto fp = fmemopen(buffer, 1024, "w");
    if ( !fp ) { std::printf("error"); return 0; }

    auto old = stdout;
    stdout = fp;

    foo(); //all the std::printf goes to buffer (using fp);

    std::fclose(fp);
    stdout = old; //reset

    std::printf("<redirected-output>\n%s</redirected-output>", buffer);
}

输出:

<redirected-output>
hello world
Hello from print_to_console()
</redirected-output>

在线演示

于 2013-10-21T15:44:39.590 回答
1
class buffer
    : public std::streambuf
{
public:
    buffer(std::ostream& os)
        : stream(os), buf(os.rdbuf())
    { }

    ~buffer()
     {
         stream.rdbuf(buf);
     }

private:
    std::ostream& stream;
    std::streambuf* buf;
};

int main()
{
    buffer buf(std::cout);
    std::stringbuf sbuf;

    std::cout.rdbuf(sbuf);

    std::cout << "Hello, World\n";
}
于 2013-10-21T16:05:08.687 回答