为什么分配给std :: ostream的引用无法编译?

时间:2011-08-02 09:23:28

标签: c++ ostream

我正在使用抽象类std :: ostream。有以下参考:

std::ostream &o = std::cout; 

如果满足任何条件,我需要初始化o,以便输出重定向到std :: cout。如果没有,输出将被重定向到文件

if (!condition)
    o = file; //Not possible 

如何正确编写代码?

2 个答案:

答案 0 :(得分:16)

或者:

std::ostream &o = condition ? std::cout : file;

或者如果两个代码段之间有代码:

std::ostream *op = &std::cout;
// more code here
if (!condition) {
    op = &file;
}
std::ostream &o = *op;

问题不在于抽象类,而是引用无法重新定位。

表达式o = file的含义不是“make o引用file”,而是“将file的值复制到{o的引用中1}}”。幸运的是,std::ostream没有operator=,因此无法编译,std::cout未被修改。但考虑一下不同类型会发生什么:

#include <iostream>

int global_i = 0;

int main() {
    int &o = global_i;
    int file = 1;
    o = file;
    std::cout << global_i << "\n"; // prints 1, global_i has changed
    file = 2;
    std::cout << o << "\n"; // prints 1, o still refers to global_i, not file
}

答案 1 :(得分:5)

您无法重置参考。

这是另一种选择:

std::ostream &o = (!condition) ? file : std::cout;