15

以下に、いくつかの名前と年齢を取り、それらを処理するコードをいくつか示します。最終的にはそれらを印刷します。print()関数を global で変更する必要がありoperator<<ます。別のフォーラムで2 つのパラメーターを使用しているのを見ました<<operatorが、試してみると「<< 操作エラーのパラメーターが多すぎます。何か間違っていることはありますか? 私は C++ に慣れていないので、本当に要点がわかりません。演算子のオーバーロードの。

#include <iostream>;
#include <string>;
#include <vector>;
#include <string.h>;
#include <fstream>;
#include <algorithm>;

using namespace::std;

class Name_Pairs{
    vector<string> names;
    vector<double> ages;

public:
    void read_Names(/*string file*/){
        ifstream stream;
        string name;

        //Open new file
        stream.open("names.txt");
        //Read file
        while(getline(stream, name)){   
            //Push
            names.push_back(name);
        }
        //Close
        stream.close();
    }

    void read_Ages(){
        double age;
        //Prompt user for each age
        for(int x = 0; x < names.size(); x++)
        {
            cout << "How old is " + names[x] + "?  ";
            cin >> age;
            cout<<endl;
            //Push
            ages.push_back(age);
        }

    }

    bool sortNames(){
        int size = names.size();
        string tName;
        //Somethine went wrong
        if(size < 1) return false;
        //Temp
        vector<string> temp = names;
        vector<double> tempA = ages;
        //Sort Names
        sort(names.begin(), names.end());

        //High on performance, but ok for small amounts of data
        for (int x = 0; x < size; x++){
            tName = names[x];
            for (int y = 0; y < size; y++){
                //If the names are the same, then swap
                if (temp[y] == names[x]){
                    ages[x] = tempA[y];
                }
            }
        }
    }

    void print(){
        for(int x = 0; x < names.size(); x++){
            cout << names[x] << " " << ages[x] << endl;
        }
    }

    ostream& operator<<(ostream& out, int x){
        return out << names[x] << " " << ages[x] <<endl;
    }
};
4

2 に答える 2

33

メンバー関数として演算子をオーバーロード<<しているため、最初のパラメーターは暗黙的に呼び出し元のオブジェクトです。

friend関数またはフリー関数としてオーバーロードする必要があります。例えば:

friend関数としてのオーバーロード。

friend ostream& operator<<(ostream& out, int x){
     out << names[x] << " " << ages[x] <<endl;
     return out;
}

ただし、標準的な方法は、free関数としてオーバーロードすることです。この投稿から非常に良い情報を見つけることができます: C++ 演算子のオーバーロード

于 2013-04-30T03:20:07.067 に答える