1

我有一个包含 anstd::ofstream和 an的类std::ifstream(一次只能激活一个)。我想重载operator()以返回当前的活动流。但是什么是std::ofstreamstd::ifstream返回公共引用的公共基类型?

4

2 回答 2

2

我想重载 operator() 以返回当前的活动流这绝对没有意义,而且闻起来像一个设计缺陷。你为什么要退货?该运算符的调用者应该能够对返回值做什么?它既不能输入也不能输出。

我不知道你真正想做什么,但也许这样的事情对你有用,虽然它很危险

template<typename T> class wrapper
{
  T*const ptr;
  wrapper(T*p) : ptr(p) {}
public:
  bool empty() const { return ptr; }
  operator T& () const
  {
    if(empty()) throw some_exception("trying to use empty wrapper");
    return *ptr;
  }
  friend some_class;
};

class some_class
{
   ifstream _ifstream;
   ofstream _ofstream;
   bool ifstream_is_active;
   bool ofstream_is_active;
public:
   operator wrapper<ifstream> () const
   { wrapper<ifstream>(ifstream_is_active? &_ifstream : 0); }
   operator wrapper<ofstream> () const
   { wrapper<ofstream>(ofstream_is_active? &_ofstream : 0); }
};

但这很危险,因为您可能正在处理悬空指针。您可以通过使用shared_ptr(自己解决)来避免这种情况,但这意味着some_class不再控制这些流的生命周期。

于 2012-09-27T17:11:55.247 回答
1

输入和输出流是非常不同的类型。它们共享的唯一通用基类是std::ios. 除了一些错误检查之外,它并没有太多内容。

这两种流类型只共享最基本的接口。出于显而易见的原因,它们彼此之间几乎没有关系。

于 2012-09-27T15:56:48.083 回答