I have the following code to tokenize a string containing lines separated by \n
and each line has integers separated by a \t
:
void string_to_int_array(char file_contents[BUFFER_SIZE << 5], int array[200][51]) {
char *saveptr1, *saveptr2;
char *str1, *str2;
char delimiter1[2] = "\n";
char delimiter2[2] = " ";
char line[200];
char integer[200];
int j;
for(j = 1, str1 = file_contents; ; j++, str1 = NULL) {
line = strtok_r(str1, delimiter1, &saveptr1);
if (line == NULL) {
break;
}
for (str2 = line; ; str2 = NULL) {
integer = strtok_r(str2, delimiter2, &saveptr2);
if (integer == NULL) {
break;
}
}
}
}
(Have included only the relevant function here, the complete, if required, is here.)
However, when I try to compile this code using:
gcc -m64 -std=c99 -pedantic -Wall -Wshadow -Wpointer-arith -Wcast-qual -Wstrict-prototypes -Wmissing-prototypes file_read.c
I get the following warnings:
file_read.c:49:5: warning: implicit declaration of function ‘strtok_r’ [-Wimplicit-function-declaration]
line = strtok_r(str1, delimiter1, &saveptr1);
^
file_read.c:49:10: error: incompatible types when assigning to type ‘char[200]’ from type ‘int’
line = strtok_r(str1, delimiter1, &saveptr1);
^
file_read.c:59:15: error: incompatible types when assigning to type ‘char[200]’ from type ‘int’
integer = strtok_r(str2, delimiter2, &saveptr2);
^
Line nos 49 and 59 correspond to the strtok_r
call.
As you can see, I have included string.h
in my file (which is where strtok_r
is declared), still I get the implicit declaration warning for strtok_r
.
Any insights as to how I can remove the warning is appreciated.
I am using gcc 4.8.2 on ubuntu 14.04 64-bit desktop.
strtok_r
should be brought in correctly usingstring.h
, but it is a POSIX-2001 feature, and you should ensure it is included. Either#define _POSIX_C_SOURCE 200112L
before including any of the standard headers, or provide it via-D
option on your command line switches for your compiler. This, of course, assuming your implementation supports it, and I certainly would expect yours would. – Metry#define _POSIX_C_SOURCE
in the manual page forstrtok_r
, how do I know I should be doing that? – Gaunt