在构造函数类中初始化 ofstream,仅适用于 c++11

Initialize ofstream in constructor class, only working with c++11

本文关键字:适用于 c++11 ofstream 初始化 构造函数      更新时间:2023-10-16

以下代码使用

g++ -I. -std=c++0x -Wall -g -Werror *.cpp -o main

但是如果没有 -std=c++0x 开关,它说

main.cpp: In constructor ‘Out<T>::Out(const string&) [with T = double, std::string = std::basic_string<char>]’:
main.cpp:274:42:   instantiated from here
main.cpp:34:113: erreur: no matching function for call to ‘std::basic_ofstream<char>::basic_ofstream(const string&, std::_Ios_Openmode)’
main.cpp:34:113: note: candidates are:
/usr/include/c++/4.6/fstream:629:7: note: std::basic_ofstream<_CharT, _Traits>::basic_ofstream(const char*, std::ios_base::openmode) [with _CharT = char, _Traits = std::char_traits<char>, std::ios_base::openmode = std::_Ios_Openmode]
/usr/include/c++/4.6/fstream:629:7: note:   no known conversion for argument 1 from ‘const string {aka const std::basic_string<char>}’ to ‘const char*’
/usr/include/c++/4.6/fstream:614:7: note: std::basic_ofstream<_CharT, _Traits>::basic_ofstream() [with _CharT = char, _Traits = std::char_traits<char>]
/usr/include/c++/4.6/fstream:614:7: note:   candidate expects 0 arguments, 2 provided
/usr/include/c++/4.6/fstream:588:11: note: std::basic_ofstream<char>::basic_ofstream(const std::basic_ofstream<char>&)
/usr/include/c++/4.6/fstream:588:11: note:   candidate expects 1 argument, 2 provided

如何在没有 c++0x 开关的情况下使其编译?

法典:

template <typename T>
class Out
{
    public:
        Out(const std::string& outputFilename) : m_file(outputFilename, std::ios_base::out | std::ios_base::app) {}
        void write(const std::string &text)
        {   m_file << text << "n"; }
        void flush() { m_file << std::flush; }
        void fake(T t) { std::cout << t << std::endl; }
    private:
        std::ofstream m_file;
};

在 C++11 之前,ofstream 没有接受std::string的构造函数。您需要构造函数char const*m_file (outputFilename.c_str())

在 C++11 中,构造函数: 添加了explicit ofstream (const string& filename, ios_base::openmode mode = ios_base::out);,而以前的版本没有。
您需要使用构造函数explicit ofstream (const char* filename, ios_base::openmode mode = ios_base::out);

例:
Out(const std::string& outputFilename) : m_file(outputFilename.c_str(), std::ios_base::out | std::ios_base::app) {}

相关文章: