Why does the following C program give a bus error?
I think it's the very first strtok call that's failing. It's been a while since I've written C and I'm at a loss. Thanks very much.
#include <stdio.h>
#include <string.h>
int main(int argc, char **argv) {
char *str = "one|two|three";
char *tok = strtok(str, "|");
while (tok != NULL) {
prin开发者_运维问答tf("%s\n", tok);
tok = strtok(NULL, "|");
}
return 0;
}
String literals should be assigned to a const char*, as modifying them is undefined behaviour. I'm pretty sure that strtok modifies it's argument, which would explain the bad things that you see.
There are 2 problems:
Make
str
of typechar[]
. GCC gives the warningfoo.cpp:5: warning: deprecated conversion from string constant to ‘char*’
which indicates this is a problematic line.Your second
strtok()
call should haveNULL
as its first argument. See the docs.
The resulting working code is:
#include <stdio.h>
#include <string.h>
int main(int argc, char **argv) {
char str[] = "one|two|three";
char *tok = strtok(str, "|");
while (tok != NULL) {
printf("%s\n", tok);
tok = strtok(NULL, "|");
}
return 0;
}
which outputs
one
two
three
I'm not sure what a "bus" error is, but the first argument to strtok() within the loop should be NULL if you want to continue parsing the same string.
Otherwise, you keep starting from the beginning of the same string, which has been modified, by the way, after the first call to strtok().
精彩评论