krzakov
krzakov

Reputation: 4111

C strcpy = Unhandled exception: Access violation writing location 0x00000000

I have a problem with strcpy function. Using C. Main point of this simple code (below) is copying a string from a array to the array of pointers.

char string[20] = "ABCDEFGH\0";
char * array_of_pointers[20];

// now I want to copy string to the first available slot;

strcpy(array_of_pointers[0],string);

Then strcpy throws me error:

Unhandled exception: Access violation writing location 0x00000000.

Why? I know that this problem is probably simple, but I really don't have a clue.

Upvotes: 2

Views: 3211

Answers (2)

AgA
AgA

Reputation: 2126

You need to initialize array_of_pointers :

array_of_pointers[0] = malloc(strlen(string)+1);

Or best:

array_of_pointers[0] = strdup(string);

Upvotes: 1

Mark Wilkins
Mark Wilkins

Reputation: 41252

The target buffer has not been initialized. array_of_pointers[0] is just a pointer that (in this case based on the error information from the access violation) points to address 0. You need to initialize it. Possibly:

array_of_pointers[0] = malloc( strlen( string ) + 1 );

array_of_pointers is an array of 20 pointers. Defined like that, each entry in that array must be initialized before it can be used. Remember too that if you do use malloc (or possibly strdup) to allocate the memory, use free to release the memory.

Upvotes: 5

Related Questions