从另一种方法调用数组2D同类 - C ++

时间:2013-07-19 15:45:17

标签: c++ arrays class methods call

我有代码:

    #include <iostream>

using namespace std;

class tokoKomputer
{
    public:
        void notebook();
        void printNotebook();
};

void tokoKomputer::notebook()
{
    string notebook[][8]=
    {
        {"MERK", "NO SERI", "HARGA", "STOK", "MEMORY", "HDD", "GPU", "DISPLAY"},
        {"Asus", "ASN0002", "2500000", "9", "1GB", "250GB", "128MB", "10"},
        {"Fujitsu", "FJN0001", "5500000", "12", "1GB", "320GB", "256MB", "14"},
        {"Fujitsu", "FJN0005", "6500000", "4", "4GB", "250GB", "1GB", "14"}
    };  
}

void tokoKomputer::printNotebook()
{
    cout<<notebook[1][3]<<endl;
    cout<<notebook[2][3]<<endl;
}

int main()
{
    tokoKomputer run;
    run.printNotebook;
}

但是,如果我编译代码 ubuntu终端总是给我留言

coba.cpp:33:18: error: invalid types ‘<unresolved overloaded function type>[int]’ for array subscript
coba.cpp:34:18: error: invalid types ‘<unresolved overloaded function type>[int]’ for array subscript

错误是什么? 请给我点击解决代码

THX

1 个答案:

答案 0 :(得分:2)

string notebook [] [8]是您的方法的本地,您需要传递一个引用或者只为您的类拥有一个私有的notebook [] []变量。

notebook[1][3]
notebook[2][3]

以上内容未在printNotebook的范围内定义为

string notebook[][8]

在notebook()方法结束后超出范围。

编辑:确保重命名,因为您没有具有相同名称的方法和变量成员

再次编辑:这里有一些示例代码可以让您的示例显示出来,这可能是 NOT 最简单或最好的方法,但确实编译和工作。

#include <iostream>
#include <string>
using namespace std;

class tokoKomputer
{
    public:
        void notebook();
        void printNotebook();
        string myNotebook[4][8];  
};

void tokoKomputer::notebook()
{
    string myTempNotebook[4][8] = {
        {"MERK", "NO SERI", "HARGA", "STOK", "MEMORY", "HDD", "GPU", "DISPLAY"},
        {"Asus", "ASN0002", "2500000", "9", "1GB", "250GB", "128MB", "10"},
        {"Fujitsu", "FJN0001", "5500000", "12", "1GB", "320GB", "256MB", "14"},
        {"Fujitsu", "FJN0005", "6500000", "4", "4GB", "250GB", "1GB", "14"}
    };  // This syntax will only work for initializing an array, not setting it later

    for (int i = 0; i <= 3; i++)
    {
        for (int j = 0; j <= 7; j++)
        {
            myNotebook[i][j] = myTempNotebook[i][j];
        }
    }

};

void tokoKomputer::printNotebook()
{
    cout << myNotebook[1][3] << endl;
    cout << myNotebook[2][3] << endl;
};

int main()
{
    tokoKomputer run;
    run.notebook();
    run.printNotebook();
    string hello;
    cin >> hello;  // this was just here to keep console open
};