我试图从文件中读取值到结构数组.但是,我不断收到编译器错误,告诉我我的struct,Books,没有提供下标操作符,我迷路了.
结构包含在头文件中,而结构数组的声明在main()中.这是functions.h头文件中的(相关)代码:
#ifndef FUNCTIONS_H
#define FUNCTIONS_H
#include <iostream>
#include <string>
#include <fstream>
using namespace std;
struct Books
{
int ISBN;
string Author;
string Publisher;
int Quantity;
double Price;
};
class functions
{
public:
void READ_INVENTORY(Books, int, int);
};
// Function definitions
void READ_INVENTORY(Books array, int max, int position)
{
ifstream inputFile;
inputFile.open("inventory.dat");
inputFile >> array[position].ISBN;
inputFile >> array[position].Author;
inputFile >> array[position].Publisher;
inputFile >> array[position].Quantity;
inputFile >> array[position].Price;
cout << "The following data was read from inventory.dat:\n\n"
<< "ISBN: " << array[position].ISBN << endl
<< "Author: " << array[position].Author << endl
<< "Publisher: " << array[position].Publisher << endl
<< "Quantity: " << array[position].Quantity << endl
<< "Price: " << array[position].Price << endl << endl;
}
这里是main中的struct声明数组及其使用方式:
#include <iostream>
#include <string>
#include <fstream>
#include "functions.h"
using namespace std;
int main()
{
const int MAX_SIZE = 100;
int size, choice;
functions bookstore;
Books booklist[MAX_SIZE];
cout << "Select a choice\n\n";
cin >> choice;
size = choice;
switch (choice)
{
case 1: bookstore.READ_INVENTORY(booklist[choice], MAX_SIZE, size);
break;
}
}
编译完成后,我收到10条错误消息(每次使用一个数组[position]时)状态:错误:类型’Books’不提供下标运算符
最佳答案 您的代码中存在太多问题,您将READ_INVENTORY定义为全局函数.所以你可能已经收到了函数:: READ_INVENTORY的未定义引用.另一个问题是您传递Books而不是Books *,因此您无法使用[]运算符.
改变这个
void READ_INVENTORY(Books array, int max, int position)
{
至
void functions::READ_INVENTORY(Books* array, int max, int position)
{
现在我们已经更改了参数类型,请更改此行
case 1: bookstore.READ_INVENTORY(booklist[choice], MAX_SIZE, size);
至
case 1: bookstore.READ_INVENTORY(booklist, MAX_SIZE, size);