Reputation: 149
The following code compile flowlessly using
g++ -I. -std=c++0x -Wall -g -Werror *.cpp -o main
but without the -std=c++0x switch, it says
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
How could I make it compile without the c++0x switch ?
Code :
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;
};
Upvotes: 0
Views: 3968
Reputation: 1751
in C++11, the constructor:
explicit ofstream (const string& filename, ios_base::openmode mode = ios_base::out);
was added, whereas it is not in previous version.
You need to use the constructor explicit ofstream (const char* filename, ios_base::openmode mode = ios_base::out);
Example:
Out(const std::string& outputFilename) : m_file(outputFilename.c_str(), std::ios_base::out | std::ios_base::app) {}
Upvotes: 4
Reputation: 24626
prior to C++11 ofstream has no constructor accepting a std::string
. You need the char const*
constructor: m_file (outputFilename.c_str())
Upvotes: 4