1

有类似的问题,但它们都是 C 语言,而不是 C++,所以我问了一个新问题。

我一直在学习C++ 教程,在完成动态内存、指针和结构部分之后,我尝试将它们放在一个示例程序中。

本质上,我试图拥有一个动态分配的结构数组(程序输入“produce”:P 并显示结果)。

编译器错误:'base operand of '->' has non-pointer type 'produce'对于代码fruit[i]->item;

抱歉,如果代码有点冗长(我不想省略部分以防它们是问题,即使这会导致问题“过于本地化”):

#include <iostream>
#include <string>
#include <new>

using namespace std;

struct produce {
    int price;
    string item;
};

int main(void) {
    int num;
    int i;

    //Get int for size of array
    cout << "Enter the number of fruit to input: ";
    cin >> num;
    cout << endl;

    //Create a dynamically allocated array (size num) from the produce structure
    produce *fruit = new (nothrow) produce[num];
    if (fruit == 0) {
        cout << "Error assigning memory.";
    }
    else {
        //For 'num', input items
        for (i = 0; i < num; i++) {
            cout << "Enter produce name: ";
            //Compiler error: 'base operand of '->' has non-pointer type 'produce'
            cin >> fruit[i]->item;
            cout << endl;

            cout << "Enter produce price: ";
            cin >> fruit[i]->price;
            cout << endl;

            cout << endl;
        }
        //Display result
        for (i = 0; i < num; i++) {
            cout << "Item: " << fruit[i]->item << endl;
            cout << "Cost: " << fruit[i]->price << endl;
            cout << endl;
        }
        //Delete fruit to free memory
        delete[] fruit;    
    }

    return 0;
}
4

2 回答 2

1

考虑这个简单的示例,以明确您如何访问对象,而不是指向对象的指针:

int *arr = new (std::nothrow) int[10];
for(int i=0; i< 10 ; ++i)
{
    arr[i]=i;
}
delete [] arr;

arr( 例如 arr[0]) 中的每个元素都是一个简单的 int,为了示例,它正在使用索引值初始化数组中每个元素的内容,然后删除 int 数组。对于您的情况,水果数组中的每个元素(水果 [0]、水果 [1] 等...)都是生产类型的对象(不是指向对象的指针)。因此访问必须由访问操作员进行而不是->

于 2013-07-10T17:41:47.343 回答
1

我在您的代码中看到produce *fruit,因此,fruit是一个指向一个或多个生产对象的指针。这意味着fruit[i]评估为单个实际produce对象。因为它是一个对象,所以要访问它的item成员,你需要使用.符号。->如果它是一个指针,你只会使用它。因此,您需要更改fruit[i]->item;fruit[i].item.

于 2013-07-10T17:36:33.310 回答