Standard functions and operations not working in class constructor

93 Views Asked by At

I am trying to make my first class with a constructor and it seems to be acting strangely. My class is derived from filebuf and for some reason, I am unable to open it in the constructor. I tried to add a cout statement for debugging, but the << operator is not recognized.

#include <iostream>
#include "bin.h"

int main()
{
    bin myBin("e:\Temp\test.txt");


    system("PAUSE");
    return 0;
}

bin.h

#pragma once
#include <fstream>
#include <cstdlib>
#include <cstring>

class bin : private std::filebuf {

int buffSize = 1000;
char* buffer;
unsigned int length;
short int buffCounter;

public:
    bin(std::string fileName)
    {
        open(fileName.c_str(), std::ios::in | std::ios::out | std::ios::trunc);
        if (!is_open())
            std::cout << "ERROR: failed to open file " << fileName << std::endl;

        //set all IO operations to be unbufferred, buffering will be managed manually
        setbuf(0, 0);
        //create buffer
        buffer = new char[buffSize];

    };


     virtual ~bin()
    {
        delete buffer;
    };
};
4

There are 4 best solutions below

3
On BEST ANSWER
std::cout << "ERROR: failed to open file " << fileName << std::endl;

Should be

std::cout << "ERROR: failed to open file " << fileName.c_str() << std::endl;

std::cout doesn't always accept std::string but does accept const char *

0
On

To use std::string you need:

#include <string>

The iostream include may have forward-declared std::string but without the full definition you don't get operator<< (or c_str()).

Some other answerers may be unable to reproduce your problem because different standard libraries might have their iostream fully do #include <string> (this is permitted but not required).

2
On
bin myBin("e:\Temp\test.txt");

You have to correct above line as follows:

bin myBin("e:\\Temp\\test.txt");

DEMO: http://cpp.sh/7b4k

3
On

It looks like you need:

#include <iostream>