2

我正在用 C++ 程序编写我的第一个大“类”(它处理 I/O 流),我想我理解了对象、方法和属性的概念。虽然我想我仍然没有获得封装概念的所有权利,因为我希望我的名为 File 的类拥有

  • 名称(文件的路径),
  • 阅读流,以及
  • 写流

作为属性,

也是它实际获取 File 对象的“写入流”属性的第一种方法......

#include <string>
#include <fstream>

class File {
public:
    File(const char path[]) : m_filePath(path) {}; // Constructor
    File(std::string path) : m_filePath(path) {}; // Constructor overloaded
    ~File(); // Destructor
    static std::ofstream getOfstream(){ // will get the private parameter std::ofStream of the object File
        return m_fileOStream;
    };
private:
    std::string m_filePath; // const char *m_filePath[]
    std::ofstream m_fileOStream;
    std::ifstream m_fileIStream;
};

但我得到了错误:

错误 4 错误 C2248: 'std::basic_ios<_Elem,_Traits>::basic_ios' : 无法访问在类 'std::basic_ios<_Elem,_Traits>' c:\program files (x86)\microsoft visual studio 中声明的私有成员10.0\vc\include\fstream 1116

向 fstream.cc 的以下部分报告我:

private:
    _Myfb _Filebuffer;  // the file buffer
    };

然后你能帮我解决这个问题并能够使用流作为我班级的参数吗?我试图返回一个引用而不是流本身,但我也需要一些帮助(也不起作用......)。提前致谢

4

2 回答 2

4

改变

static std::ofstream getOfstream(){ // will get the private parameter std::ofStream of the object File
        return m_fileOStream;
    };

// remove static and make instance method returning a reference
// to avoid the copy constructor call of std::ofstream
std::ostream& getOfstream(){ return m_fileOStream; }
于 2012-07-24T18:21:15.380 回答
1

每个类都有三个部分,所以假设以下类:

class Example{

public:
   void setTime(int time);
   int getTime() const;
private:
 int time;
protected:
bool ourAttrib;

}

你看到 public、private 和 protected 的话,是的,它们解释了封装,当你可以对方法或属性使用 private 时,只有成员可以使用它。但是当你使用 public 时,每个人都可以使用它。现在受保护:当你从一个类派生这个类,派生类可以使用protected和继承它们。

于 2012-07-24T19:43:02.503 回答