c++ - 尝试输入结构 vector 内的结构成员会导致段错误

标签 c++ vector struct segmentation-fault

我正在做一个项目,我正在为一家假餐厅编写自动计费系统。该程序应该获取包含菜单的文本文件,将其放入数组或结构 vector 中,显示菜单,让客户订购,并打印收据。 我正在为菜单使用结构的全局 vector 。

此代码块是与问题相关的所有内容。

`

#include <iostream>
#include <fstream>
#include <vector>
//there is more code to this program, but the fault occurs very soon in the program
//and none of the rest of the code has any relevance.
//also, I don't really think that the problem is with trying to input, but I don't have enough experience to rule it out.
using namespace std;

struct menuItemType
{
  string menuItem; //this is the name of the item
  double menuPrice; // this is the price of the item
  int menuCount;
};

vector<menuItemType> menuList; //the menu can be any size so I don't know how big it will be at this point. I'm using a vector to avoid having to declare a size
// I also have 2 other functions and some extra code in main that all need to access this vector. That is why I made it global

void getData() //this function opens the text file containing the menu and tries to read in each line.
{
    ifstream input;
    input.open("inData.txt");

    input.peek();
    int i = 0;
    string item;
    double price;

    while(!input.eof())
    {
        getline(input,menuList[i].menuItem); //This is the line creating the fault.
        input >> menuList[i].menuPrice;

        i++;
        input.peek();
    }
}
int main()
{
    getData();
    return 0;
}

`

我已尝试调试并确定段错误并非特定于代码片段中注释的行。每当我尝试输入 vector 中的结构成员时,似乎都会发生错误。我也尝试过使用 cin,所以我不认为文本文件流是问题所在。 文本文件如下所示:

培根和鸡蛋 1.00 松饼 0.50 咖啡 0.90

具体来说,我的问题是:为什么尝试输入 vector 中的结构成员会导致段错误,我该如何解决。

对于冗长的解释和笨拙的格式,我们深表歉意。我对堆栈溢出和 C++ 都很陌生。

最佳答案

从文件中检索数据时;我倾向于检索单行的内容并将其存储到某个字符串、流或缓冲区并稍后解析它,或者我将检索文件的全部内容并执行相同的操作。我发现从文件中提取数据并关闭其句柄后,解析字符串会更容易。我不喜欢使用非 CONST 的全局变量。此外,从文件 while( file.eof() )while ( !file.eof() ) 读取时使用 for 循环的方式也是不好的做法,以后可能会导致许多错误、崩溃和麻烦。如果您在下面查看我的函数,它所做的就是获取一个文件名并尝试打开它(如果存在)。一旦打开,它就会得到一行,将其保存到一个字符串中,并将该字符串插入一个 vector 中,直到没有其他内容可读为止。然后它关闭文件句柄并返回。这符合函数具有单一职责的概念。

如果您有打开文件、读入一行、解析数据、读入一行、解析数据等的函数,然后关闭它;这种功能被认为承担多项任务,这可能是一件坏事。首先是性能原因。可以说,打开和读取文件本身是一项计算量大的任务。您还试图动态创建对象,如果您从未检查以验证从文件中收到的值,这可能会很糟糕。看看我下面的代码,您会看到我所指的设计模式,其中每个函数都有自己的职责。这也有助于防止文件损坏

#include <vector>
#include <string>
#include <sstream>
#include <iostream>
#include <fstream>
#include <exception>

struct MenuItem {
  string menuItem; 
  double menuPrice; 
  int menuCount;
};

// This function is not used in this case but is a very helpful function
// for splitting a string into a vector of strings based on a common delimiter
// This is handy when parsing CSV files {Comma Separated Values}.
std::vector<std::string> splitString( const std::string& s, char delimiter ) {
    std::vector<std::string> tokens;
    std::string token;
    std::istringstream tokenStream( s );
    while( std::getline( tokenStream, token, delimiter ) ) {
        tokens.push_back( token );
    }

    return tokens;
}

void getDataFromFile( const char* filename, std::vector<std::string>& output ) {
    std::ifstream file( filename );
    if( !file ) {
        std::stringstream stream;
        stream << "failed to open file " << filename << '\n';
        throw std::runtime_error( stream.str() );
    }

    std::string line;
    while( std::getline( file, line ) ) {
        if ( line.size() > 0 ) 
            output.push_back( line );
    }
    file.close();
}

void parseFileData( const std::vector<std::string>& fileContents, std::vector<MenuItem> menuItems ) {
    // The first param is the contents of the file where each line
    // from the file is stored as a string and pushed into a vector.

    // Here you need to parse this data. The second parameter is the
    // vector of menu items that is being passed by reference.

    // You can not modify the fileContents directly as it is const and read only
    // however the menuItems is passed by reference only so you can update that

    // This is where you will need to go through some kind of loop and get string
    // of text that will stored in your MenuItem::menuItem variable.
    // then the next string will have your price. Here you showed that your
    // text file has `$` in front of the value. You will then have to strip this out 
    // leaving you with just the value itself. 
    // Then you can use `std::stod( stringValue ) to convert to value, 
    // then you can save that to MenuTiem::menuPrice variable.

    // After you have the values you need then you can push back this temp MenuItem
    // Into the vector of MenuItems that was passed in. This is one iteration of
    // your loop. You continue this until you are done traversing through the fileContents vector.


    // This function I'll leave for you to try and write.        
}

int main() {
    try {
        std::vector<std::string> fileConents;
        getDataFromFile( "test.txt", fileConents );
        std::vector<MenuItem> data; // here is the menu list from your example
        generateVectors( fileConents, data );

        // test to see if info is correct
        for( auto& d : data ) {
            std::cout << data.menuItem << " " << data.menuPrice << '\n';
        }

    } catch( const std::runtime_error& e ) {
        std::cerr << e.what() << '\n';
        return EXIT_FAILURE;
    }

    return EXIT_SUCCESS;
}

至于您的错误或崩溃,您可能正在访问超过 vector 末尾的索引,或者您正在尝试使用包含无效数据的 vector 中的内容。

关于c++ - 尝试输入结构 vector 内的结构成员会导致段错误,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/53227832/

相关文章:

c - 包含名为 "generic"的变量的结构无法在 C++/CLI 项目中编译

c - 我的结构与前一个结构重叠了一些数据(编辑)

c++ - SDL 分辨率问题

c++ - 如何在 vector 中的某个数字之后重新计算一个过程

c++如何访问父类中的函数?

c++ - 如何在 C++ 中生成任意嵌套的 vector ?

c++ - C++ 中的冲突声明

c++ - 如何从文本文件中读取文件名列表并在 C++ 中打开它们?

c++ - void 函数允许返回 "nothing"吗?

用于深度嵌套私有(private)数据的 C++/STL 公共(public)迭代器