我正在使用抽象类 std::ostream。有以下参考:
std::ostream &o = std::cout;
如果满足任何条件,我需要初始化 o,以便将输出重定向到 std::cout。如果没有,输出将被重定向到文件
if (!condition)
o = file; //Not possible
如何正确编写代码?
任何一个:
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
不是“使o
引用file
”,而是“将值复制file
到”的引用中o
。幸运的是,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
}
您无法重新安装参考。
这是一个替代方案:
std::ostream &o = (!condition) ? file : std::cout;