链接列表的总线错误(核心转储)?

时间:2015-04-16 20:25:02

标签: c++ pointers linked-list coredump bus-error

我正在编写一个程序,允许用户输入要读取的人员数据库的文件名;然后,程序在每个状态链接中创建状态对象的链接列表和人员对象的链接列表,以组织文件中的信息。

我知道链接列表部分有效,因为我能够直接在文件名中编码并打印出状态列表和每个州的人员列表;但是,当我尝试允许用户输入文件名作为命令时,我收到一个总线错误。当我在gdb中运行代码时,它告诉我的是:

Program received signal SIGBUS, Bus error.
0x280df0bd in std::operator>><char, std::char_traits<char> > ()
   from /usr/lib/libstdc++.so.5

我甚至没有得到一个行号!任何帮助将非常感激。这是我的代码的命令和读取部分:

List<State*>* read(char* filename) {
    string fname, lname, birthday, state;
    int ssn;
    List<State*>* state_list = new List<State*>();

    ifstream file(filename);
    if (file.fail()) {
        cerr << "Error reading file.\n";
        exit(1);
    }

    while (!file.eof()) {
        file >> birthday >> ssn >> fname >> lname >> state;
        Link<State*>* searchres = searchList(state, state_list);
        Person* p = new Person(fname, lname, ssn, birthday, state);
        if (searchres == NULL) // create new state
        {
            State* addedstate = state_list->addLink(new State(state))->data;
            addedstate->res_list.addLink(p);
        }

        else // add to pre-existing state
        {
            searchres->data->res_list.addLink(p);
        }
    }
    return state_list;
}

void main() {
    string cmd;
    cout << "Type your command in all lowercase letters.\n";
    cin >> cmd;
    if (cmd == "read") {
        char* filnm;
        cin >> filnm;
        List<State*>* state_ls = read(filnm);
        Link<Person*>* counter = state_ls->first->data->res_list.first;
        while (counter != NULL) {
            cout << counter->data->ssn << "\n";
            counter = counter->next;
        }
    }
}

1 个答案:

答案 0 :(得分:6)

马上,你有一个问题:

char* filnm;
cin >> filnm;

指针未初始化,但您使用该指针读取信息。

使用std::string或大小合适的char数组。

在文件打开时使用std::string

std::string filnm;
cin >> filnm;
read(filnm.c_str());

您的read功能还应将参数更改为const char*而不是char *。您没有更改要传递的字符数组的内容,因此它应该是const

修改:您实际上不需要使用c_str(),因为std::string有一个带const char*的构造函数。不过,请将参数更改为const char *filename函数中的read()