The following code compiles but delivers an error during run-time:
# include <iostream>
# include <string.h>
class A {
public:
A() {}
A ( int id, char * t_name ) {
_id = id ;
name = new char [ strlen (t_name) + 1 ] ;
strcpy ( name, t_name ) ;
}
char *name ;
int _id ;
~A() { delete [] name ;}
} ;
int main () {
A a ( 1, "123" ) ;
A b ;
b = a ;
std::cout << static_cast < const void * > ( a.name ) << std::endl ;
std::cout << static_cast < const void * > ( b.name ) << std::endl ;
b.name = "abc" ; // b.name is directed to a different memory block
std::cout << static_cast < const void * > ( a.name ) << std::endl ;
std::cout << static_cast < const void * > ( b.name ) << std::endl ;
std::cout << a.name << std::endl ;
std::cout << b.name << std::endl ;
return 0 ;
}
It outputs something like:
0x7ff87bc03200
0x7ff87bc03200
0x7ff87bc03200
0x10f9bcf64
123
abc
a.out(883,0x7fff7ee3d000) malloc: *** error for object 0x10f9bcf64:
pointer being freed was not allocated
*** set a breakpoint in malloc_error_break to debug
Abort trap: 6
I do not understand why it says:
0x10f9bcf64: pointer being freed was not allocated
since b.name
is obviously directed to 0x10f9bcf64
, and does not overlap with a
's any more!
I also wonder how this issue could be addressed? Thank you !
For starters the constructor declaration should look like
because you are using string literals to initialize objects of the class and string literals have types of constant arrays.
The default copy assignment operator makes member-wise copies of data members of objects. Relative to your code after this statement
the objects will have two pointers pointing to the same dynamically allocated memory. Thus the delete operator will be called twice for the same memory address.
You have to write explicitly the copy assignment operator and the copy constructor for your class.
For example the copy assignment operator can look the following way
This statement
is also wrong. String literals have static storage duration. So you may not delete their memory.