0

私のプログラムがアドレス番号だと思う奇妙な数字を出力する理由がよくわかりません....ファイルからデータを読み取って、それらをクラスインスタンスに保存しようとしています....ファイルにはid,x,y,z の行....10 行あるので、10 個のクラス インスタンスを作成する必要があります。

class planet
{
public:
    int id_planet;
    float x,y,z;
};

void report_planet_properties(planet& P)
{
    cout<<"Planet's ID: "<<P.id_planet<<endl;
    cout<<"Planet's coordinates (x,y,z): ("<<P.x<<","<<P.y<<","<<P.z<<")"<<endl;
}

planet* generate_planet(ifstream& fin)
{
    planet* p = new planet;
    fin >> (*p).id_planet;
    fin >> (*p).x;
    fin >> (*p).y;
    fin >> (*p).z;
    return (p);
}

int main()
{
    planet* the_planets[10];
    int i=0;
    ifstream f_inn ("route.txt");
    if (f_inn.is_open())
    {
        f_inn >> i;
        for(int j=0;j<i;j++)
        {
            the_planets[j]=generate_planet(f_inn);
            report_planet_properties(*the_planets[i]);
            delete the_planets[j];
        }
        f_inn.close();
    }
    else cout << "Unable to open file";
}
4

2 に答える 2

1

コードの一部がわかりません (たとえば、generate_planet 内で Planet の新しいインスタンスを作成する理由など) が、経験豊富な C++ プログラマーではありません。ただし、コードを変更したところ、これが機能することがわかりました。

#include <iostream>
#include <fstream>

using namespace std;

class planet
{
private:
    int id_planet;
    float x,y,z;
public:
    void generate_planet(ifstream& fin);
    void report_planet_properties();
};

void planet::report_planet_properties() {
    cout << "\nPlanet's ID: " << id_planet << endl;
    cout << "\nPlanet's coordinates (x,y,z): ("<< x <<","<< y <<","<< z<<")"<<endl; 
}

void planet::generate_planet(ifstream& fin) {

fin >> id_planet;
fin >> x;
fin >> y;
fin >> z;
} 

int main() {

planet the_planets[10];
int i=0;
ifstream f_inn("route.txt");
if (f_inn.is_open())
{
    f_inn >> i;
    for(int j=0;j<i;j++)
    {
        the_planets[j].generate_planet(f_inn);
        the_planets[j].report_planet_properties();
    }
    f_inn.close();
}
else cout << "Unable to open file\n";
return 0;
}

route.txt を使用:

2
1
4
5
6
2
7
8
9

与えます:

Planet's ID: 1

Planet's coordinates (x,y,z): (4,5,6)

Planet's ID: 2

Planet's coordinates (x,y,z): (7,8,9)

ご覧のとおり、関数 generate_planet() と report_planet_properties() は現在、planet クラスのメソッドです。

多分これはあなたを助けることができます。

于 2013-10-19T12:00:15.890 に答える