Cannot cast void pointer returned by calloc
Dec 25, 2011 at 2:26pm UTC  
i really dont know whats going on here im trying the convert the void pointer that is returned by the calloc function if the memory allocation is succesfull to a type of reservation that is a structure that i created. the problem is when i run the program it just hangs and dose not print anything and shows the message dont send... here is the code of the program
1#include <iostream> 
#include <stdlib.h> 
#include <string> 
using  namespace  std;
// Creating a structure named reservation and creating the data members that are needed. 
struct  reservation{
    string passengerName;
    string passengerAddress;
    string dateOfFlight;
    string desToTravel; // "des" stands for destination. 
    int  flightNo;
    int  seatNo;
}*ptr;
main(){
    ptr = (reservation*) calloc(1,sizeof (reservation));
    if (ptr == NULL){
        cout << "Memory allocation failed." ;
        exit(1);
    }
    ptr->passengerName = "This" ;
    cout << ptr->passengerName;
    free(ptr);
}
 
Dec 25, 2011 at 3:00pm UTC  
C memory allocation and C++ objects generally don't mix well, as the constructor is not called.
This would have been correct:
1int  main() {
    reservation res;
    res.passengerName = "This" ;
    cout << res.passengerName;
}
or if you truly want dynamic allocation for whatever reason:
1int  main() {
    ptr=new  reservation;
    ptr->passengerName = "This" ;
    cout << ptr->passengerName;
    delete  ptr;
}
 
Dec 25, 2011 at 3:13pm UTC  
ah i see thanks i needed dynamic allocation because im doing a assignment that says i have to use it.
 
Dec 25, 2011 at 3:29pm UTC  
This is a good one.
In fact, the problem isn't "Cannot cast void pointer". Why not?
Try this:
1main(){
    ptr = (reservation*) calloc(1,sizeof (reservation));
    if (ptr == NULL){
        cout << "Memory allocation failed." ;
        exit(1);
    }
    ptr->seatNo = 2;
    cout << ptr->seatNo;
    free(ptr);
}
You're able to see the seatNo, aren't you? Of course, we have segfault again in free().
Why is that?
That is because the real problem is about the incompatibility between calloc and string.
calloc is for C and string is for C++.
Solution:
1, do it in the C way: get rid of string and manually allocate memory for cstrings
2, do it in the C++ way: use new and delete
 
Topic archived. No new replies allowed.