7

在一些使用 执行大量文件 i/o 的代码中std::ofstream,我正在缓存流以提高效率。但是,有时我需要更改文件的打开模式(例如追加与截断)。这是一些类似的模拟代码:

class Logger {
public:
    void write(const std::string& str, std::ios_base::openmode mode) {
        if (!myStream.is_open) myStream.open(path.c_str(), mode);
        /* Want: if (myStream.mode != mode) {
                     myStream.close();
                     myStream.open(path.c_str(), mode);
                 }
        */
        myStream << str;
     }
private:
    std::ofstream myStream;
    std::string path = "/foo/bar/baz";
}

有谁知道:

  • 有没有办法改变openmode的ofstream
  • 如果没有,有没有办法找出当前openmode的 anofstream是什么,以便我可以仅在必要时关闭并重新打开它?
4

1 回答 1

4

@Ari由于默认实现不允许您想要做的事情,您可能必须封装 ofstream 并提供额外的获取/设置开放模式功能,您的新对象将在其中模拟所需的行为。

也许是这样的

class FileOutput{
  private:
    ostream& streamOut;
    std::ios_base::openmode currentOpemMode;
  public:
    FileOutput(ostream& out, std::ios_base::openmode mode)
     : streamOut(out), currentOpemMode(mode){}

    void setOpenMode(const std::ios_base::openmode newOpenMode){
          if(newOpenMode != currentOpemMode){
              currentOpemMode = newOpenMode;
              updateUsedMode();
          }
    }
  private:
    void updateUsedMode(){
          if(currentOpemMode == ios_base::app){  /* use seekg/tellg to move pointer to end of file */}
          else if(currentOpenMode == binary){ /* close stream and reopen in binary mode*/}
         //...and so on
};
于 2012-11-21T18:55:33.717 回答