Mar 6, 2019 at 9:50am Mar 6, 2019 at 9:50am UTC
I wrote a piece of code like this in order to read a file and copy the content into another file.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21
#include <iostream>
#include <fstream>
using namespace std;
void copy(char * src, char * dest)
{
FILE *source = fopen(src, "rb" );
FILE *destination = fopen(dest, "wb" );
unsigned char buf[1000];
int i;
do
{
i = fread(buf, 1, 1000, source);
fwrite(buf, 1, i, destination);
} while (i == 1000);
fclose(source);
fclose(destination);
}
int main()
{
copy("E:/input.txt" , "E:/output.txt" );
}
When I compiled, the compiler said:
no instance of overloaded function "copy" matches the argument list
and
'void copy(char *,char *)' : cannot convert argument 1 from 'const char [13]' to 'char *'
What did I go wrong?
Last edited on Mar 6, 2019 at 9:51am Mar 6, 2019 at 9:51am UTC
Mar 6, 2019 at 10:15am Mar 6, 2019 at 10:15am UTC
In C++, the type of a narrow string literal is '
array of const char '
ergo:
'cannot convert argument 1 from 'const char [13]' to 'char *' etc.
Rewrite as:
1 2
// void copy(char* src, char* dest)
void copy( const char * src, const char * dest )
Using the C++ streams library, the code becomes shorter, sweeter, and correct:
1 2 3 4
#include <fstream>
bool copy_file( const char * srce_path, const char * dest_path )
{ return bool ( std::ofstream(dest_path) << std::ifstream(srce_path).rdbuf() ) ; }
Or, to copy files in binary mode:
1 2
bool copy_file( const char * srce_path, const char * dest_path )
{ return bool ( std::ofstream( dest_path, std::ios::binary ) << std::ifstream( srce_path, std::ios::binary ).rdbuf() ) ; }
Last edited on Mar 6, 2019 at 10:18am Mar 6, 2019 at 10:18am UTC
Mar 6, 2019 at 11:09am Mar 6, 2019 at 11:09am UTC
I should take enough sleep or drink coffee if I'm about to code.
Is it legal if I treated the name of the file as character array?
Like this:
1 2 3
char f1[] = "E:/input.txt" ;
char f2[] = "E:/output.txt" ;
copy(f1, f2);
Last edited on Mar 6, 2019 at 11:11am Mar 6, 2019 at 11:11am UTC
Mar 6, 2019 at 12:26pm Mar 6, 2019 at 12:26pm UTC
> Is it legal if I treated the name of the file as character array?
Yes; but still not ideal, not const-correct.
There is no reason to insist that file names bust be consisting of modifiable characters.
Write it as void copy( const char * src, const char * dest )