0

尝试编译代码时出现此错误:

1>  c:\mingw\bin\../lib/gcc/mingw32/4.6.2/include/c++/ostream: In constructor 'Log::Log(const char*)':
1>c:\mingw\bin\..\lib\gcc\mingw32\4.6.2\include\c++\ostream(363,7): error : 'std::basic_ostream<_CharT, _Traits>::basic_ostream() [with _CharT = char, _Traits = std::char_traits<char>]' is protected
1>C:\Users\Adam\Documents\cs\cs176b\hw2\ftp\ftp\log.cpp(6,26): error : within this context

不太清楚为什么,我没有制作我自己使用的 ostream 代码,我使用了这里建议的内容:Proper way to create ostream to file or cout

我的代码如下,如果需要,很乐意提供更多信息:

// log.h
#include <string>
#include <fstream>

#ifndef LOG_H_
#define LOG_H_

class Log 
{
    public:
        enum Mode { STDOUT, FILE };

        // Needed by default
        Log(const char *file = NULL);
        ~Log();

        // Writing methods
        void write(char *);
        void write(std::string);
    private:
        Mode mode;
        std::streambuf *buf;
        std::ofstream of;
        std::ostream out;
};

#endif


// log.cpp
#include "log.h"
#include <iostream>
#include <stdlib.h>
#include <time.h>

Log::Log(const char *file)
{
    if (file != NULL)
    {
        of.open(file);
        buf = of.rdbuf();
        mode = FILE;
    }
    else
    {
        buf = std::cout.rdbuf();
        mode = STDOUT;
    }

    // Attach to out
    out.rdbuf(buf);
}

Log::~Log()
{
    if (mode == FILE)
        of.close();
}

void Log::write(std::string s)
{
    out << s << std::endl;
}

void Log::write(char *s)
{
    out << s << std::endl;
}
4

2 回答 2

3

std::ostream::ostream()构造函数是受保护的,这意味着它只能由其派生类调用,但不能由其封闭类调用。

修复错误初始化成员out

std::ostream接受 a的唯一公共构造函数std::streambuf*,例如:

Log::Log(const char *file)
    : out(std::cout.rdbuf())
// ...

请注意,std::ostream使用 的缓冲区初始化 a 是安全的std::cout.rdbuf(),因为析构函数std::ostream::~ostream()不会释放其std::streambuf*成员。

或者,它可以用NULL/初始化nullptr。在这种情况下,请注意不要将任何内容输出到流中,因为它会尝试取消引用NULL导致未定义的行为,很可能只是与SIGSEGV.

于 2013-02-08T23:15:35.513 回答
0

延伸大卫所说的:

ostream只是输出流的“框架”,是输出流(抽象类)基本能力的定义。它什么也不做,也没有实施。

你有没有尝试写信给coutcout中定义的iostream,不需要定义,使用即可!

于 2013-02-08T23:14:22.280 回答