ошибка seg во время printf для переменной, которую я только что установил - PullRequest
0 голосов
/ 29 сентября 2011

Таким образом, я вызываю ошибку, когда вызываю printf в следующей ситуации.Я просто не вижу, что я делаю не так.Есть идеи?Бесконечно благодарен.Я отметил место в коде, где я получаю ошибку сегмента с комментарием (в первом фрагменте кода).

...
    char* command_to_run;
    if(is_command_built_in(exec_args, command_to_run)){
        //run built in command
        printf("command_to_run = %s\n", command_to_run); // <--- this is where the problem is
        run_built_in_command(exec_args);
    }
...

int is_command_built_in(char** args, char* matched_command){
    char* built_in_commands[] = {"something", "quit", "hey"};
    int size_of_commands_arr = 3;
    int i;
    //char* command_to_execute;
    for(i = 0; i < size_of_commands_arr; i++){
        int same = strcmp(args[0], built_in_commands[i]);
        if(same == 0){
            //they were the same
            matched_command = built_in_commands[i];
            return 1;
        }
    }
    return 0;
}

Ответы [ 2 ]

4 голосов
/ 29 сентября 2011

Вы передаете указатель matched_command по значению. Поэтому он не изменяется при вызове на is_command_built_in. Таким образом, он сохраняет свое неинициализированное значение.

Попробуйте это:

char* command_to_run;
if(is_command_built_in(exec_args, &command_to_run)){   //  Changed this line.
    //run built in command
    printf("command_to_run = %s\n", command_to_run); // <--- this is where the problem is
    run_built_in_command(exec_args);
}


int is_command_built_in(char** args, char** matched_command){   //  Changed this line.
    char* built_in_commands[] = {"something", "quit", "hey"};
    int size_of_commands_arr = 3;
    int i;
    //char* command_to_execute;
    for(i = 0; i < size_of_commands_arr; i++){
        int same = strcmp(args[0], built_in_commands[i]);
        if(same == 0){
            //they were the same
            *matched_command = built_in_commands[i];   //  And changed this line.
            return 1;
        }
    }
    return 0;
}
2 голосов
/ 29 сентября 2011

command_to_run неинициализирован. Звонок на is_command_built_in мог так же легко сорваться. Такова природа неопределенного поведения.

...