读取文件并根据该信息制作对象矢量

时间:2015-01-25 15:32:41

标签: c++ file stream playing-cards

我有2张扑克牌价值,他们的等级和套装。我想要一个由以下数据组成的文件:

  

2C 6D 7h 10s JC

此信息确定一张扑克牌。

6c是6个俱乐部。

JC是俱乐部的杰克,依此类推。 (情况无关紧要)。

如何输入输入的字符并用它们制作新的扑克牌?每个可能的字符串都有一个大小写代码。可以用某种方式简化吗?

#include "header1card.h"
#include "stdafx.h"
#include <string>
#include <vector>
#include <iostream> 
#include <fstream>

using namespace std;

int main() {
  Card card;
}

class Card {
private:
 enum struct ranks {two, three, four, five, six, seven, eight, 
             nine, ten, jack, queen, king, ace };
 enum struct suits {diamonds, clubs, hearts, spades };
 suits su; //do what with these two?
 ranks ra;
    };



int fileparser(vector<Card> & readcards, char * filename) {
 ifstream filereading;
 filereading.open(filename, ios::in);

 if (filereading.is_open()) {
   //while read the file here. save what is read to a string.
  char temp;

  while (!filereading.eof()) {
   //how make a card based off of the inputtedr chars?
   char readchar = filereading.get(temp );

   switch (readchar) {
   case '2' :

    break;
   case '3' :

    break;

//and so on to make every card? Seems like a lot of lines of code.
   }
   readcards.pop_back( /*After making the card, put it in vector*/   );

  } 
    filereading.close();
 }
 else {
  //throw error, cannot find file.
  cout << "Could not find file " + filename << endl; //error on ' + filename'. Says Expression must have integral or unscoped enum type.
  cerr << "COuld not find file " << endl;
     }
    }

1 个答案:

答案 0 :(得分:2)

首先,我建议您重写输入代码,如下所示:

Card temp;
while (filereading >> temp) {
    readcards.push_back(temp); // note: push_back, not pop_back
}

请参阅this question了解为何不检查eof()

因此,我们只需要为我们的班级写一个operator>>

class Card {
public:
    friend istream& operator>>(istream& is, Card& c) {
        std::string name;
        if (is >> name) {
            if (name.size() == 2) {
                // rank is name[0], suit is name[1]
                // go process
            }
            else {
                // set fail state
                is.setstate(std::ios::failbit);
            }
        }
        return is;
    }
};

那么我们如何获得排名和套装呢?这是你问题的主要部分。对于西装来说,最简单的就是开关:

switch (toupper(name[1])) {
case 'D':
    c.suit = Card::diamonds;
    break;
case 'S':
    // etc.
default:
    // set fail state, maybe log some error too
    is.setstate(std::ios::failbit);
}

对于排名,我们可以使用以下内容简化2, 3, ..., 9部分:

if (name[0] >= '2' && name[0] <= '9') {
    int idx = name[0] - '2'; // now it's an int, with value 0 through 7
    c.rank = Card::two + idx; // because enums are ordered
}
else {
    // fallback to switch
    switch (toupper(name[0])) {
    case 'T':
        c.rank = Card::ten;
        break;
    case 'J':
        // etc
    default:
        // set fail state
        is.setstate(std::ios::failbit);
}