0

次のような FileName というテキスト ファイルを解析しようとしています。

KD JD 6s 5s 3c // no rank (king high)
AH Ks Js AD Ac // three of a kind

今、私はそれらをベクトルに保存したいと思います(「//」より前のすべて)。

int FileParsing(vector<Card> & v, char * FileName) {
    ifstream ifs;
    ifs.open(FileName);
    if (!ifs.is_open()){
        cout << "file cannot be opened." << endl;
    } else {        
        string line;                    
        while(getline(ifs, line)){
            istringstream iss (line); 
            bool condition = CountWords(line); //dont worry about this method   
            ReadCardDefinitionStrings (condition, line, v);
        }       
    }
    return 0;
}


void ReadCardDefinitionStrings (bool condition, string line, vector<Card> & v){
    istringstream iss (line);   
    string CardDefinitionStrings;   //e.g. 2C, 3h, 7s, Kh
    if (condition) {
            while(iss>>CardDefinitionStrings){  
            if (CardDefinitionStrings == "//"){ //stop reading after it sees "//"
                return;
            }
            Card c = TestCard(CardDefinitionStrings);
            v.push_back(c);     
        }
    }
}

私が得ている問題は、3c の後に「//」が表示されると、元に戻ることです。

    while(getline(ifs, line)){
        istringstream iss (line); 
        bool condition = CountWords(line);  
        ReadCardDefinitionStrings (condition, line, v);
    }

しかし、今回は行が空です (私はそれを AH Ks Js AD Ac // スリー オブ ア カインドにしたかったのです)。つまり、このループは何もせずに 1 回だけ実行されます。そして次の実行では、ラインは AH Ks Js AD Ac // スリー オブ ア カインドと等しくなります。なぜこれが起こるのか分かりますか?

4

1 に答える 1

0

たくさんのコード (カードの定義など) を入れるのを忘れていたと思います。そして、私が知る限り、いくつかの場所でいくつかの冗長な定義がありました.

ただし、必要なものを実装しました (次のような FileName というテキスト ファイルを解析する機能)。

KD JD 6s 5s 3c // no rank (king high)
AH Ks Js AD Ac // three of a kind

入力ファイルストリームがファイル名で初期化されていると仮定します:

ifstream ifs(FileName);

if (!ifs.is_open()) {
    cout << "file cannot be opened." << endl;
}
else {
    string line;

    //getline reads up until the newline character
    //but you want the characters up to "//"
    while(std::getline(ifs, line)) {

        //line has been read, now get rid of the "//"
        string substr = line.substr(0,line.find("//"));

        //assign the substr to an input stringstream
        istringstream iss(substr);

        //this will hold your card
            //NOTE: Since I don't have your implementation of Card, I put it as a string instead for demonstration purposes
        string card;

        //keep reading until you've read all the cards in the substring (from line)
        while (iss >> card) {
            v.push_back(card);//store the card in the vector
            cout << card << endl;//now output it to verify that the cards were read properly
        }

        cout << endl;//this is just for spacing - so it'll help us distinguish cards from different lines (in the output)
    }
    ifs.close();
}

出力:

KD
JD
6s
5s
3c

AH
Ks
Js
AD
Ac

これはあなたが望むものです。;)

于 2013-03-10T02:56:46.997 に答える