我试图通过转换我之前制作的一些Java类来学习C ++。它们代表一张扑克牌和一副牌。我使用enum
作为值并适合:
enum Suits{SPADES, CLUBS, HEARTS, DIAMONDS};
enum Values{TWO, THREE, FOUR, FIVE,
SIX, SEVEN, EIGHT, NINE, TEN, JACK, QUEEN, KING, ACE};
在我的Java
和C++
卡片类中,我有方法:getValue()
和getSuit()
,它们显然会分别返回值并适合。
My Java DeckofCards类非常简单:
public class DeckofCards {
private Card card;
private String value;
private String suit;
private List<Card> deck = new ArrayList<Card>();
//DeckofCards constructor
public DeckofCards(){
for (Suits s : Suits.values()) {
for(Values v : Values.values()){
card = new Card(v,s);
deck.add(card);
}
}
}
//shuffles the deck
public void shuffleDeck(){
Collections.shuffle(deck);
}
//prints the deck of cards
public void printDeck(){
for(int i = 0; i<deck.size(); i++){
card = deck.get(i);
value = card.getValue().toString();
suit = card.getSuits().toString();
System.out.println(value + " of " + suit);
}
}
//draws a card from the deck
public Card drawCard(){
try{
card = deck.get(0);
deck.remove(0);
//return card;
}
catch(IndexOutOfBoundsException e){
System.err.println("Deck is empty");
System.exit(0);
}
return card;
}
}
我的问题是在C ++中实现printDeck()
方法,特别是获取enum
值的字符串表示。我知道我不能简单地做getValue().toString()
因此,在对此问题进行一些研究后,我的想法是让两个std::string[]
看起来与两个enum
相同然后使用getValue()
和getSuit()
生成一个int(因为这似乎是行为)并将其传递给数组以获取字符串表示。
但我现在认为在我的Card类中再添加两个方法可能会更好:
std::string getValue(int i)
同样适合
并使用case
语句根据string
返回int
值,以便其他类可以轻松获取字符串表示形式。这似乎是多余的。任何人都可以就如何做到这一点提出任何建议吗?
答案 0 :(得分:2)
您可以使用新的C ++ 11枚举类(即作用域枚举),并定义一个将这样的枚举类作为输入参数的函数,并返回输入枚举值的相应字符串表示。
e.g:
#include <assert.h> // For assert()
#include <iostream> // For console output
#include <string> // For std::string
enum class Suits {
SPADES, CLUBS, HEARTS, DIAMONDS
};
std::string toString(Suits s) {
switch (s) {
case Suits::SPADES: return "Spades";
case Suits::CLUBS: return "Clubs";
case Suits::HEARTS: return "Hearts";
case Suits::DIAMONDS: return "Diamonds";
default:
assert(false);
return "";
}
}
int main() {
std::cout << toString(Suits::CLUBS) << std::endl;
}
您可以为Values
枚举做类似的事情。
答案 1 :(得分:1)
在C ++中,枚举周围没有元数据,所以如果你想要一个字符串版本,你需要自己编写一个转换器。
我可能会选择这样的东西,这不会编译,但你会得到粗略的画面。
enum Suit { ... }
enum Values { ... }
Class card {
public:
static std::string getText(Suite s) { switch(s) case CLUBS: return "clubs"; ... }
static std::string getText(Colour c) { switch(c) case ONE: return "one"; ... }
card(Suite s, Colour c) : mSuite(s), mColour(c) {}
std::string getText() const {
stringstream ss;
ss << getText(mColour) << " of " << getText(mSuits);
return ss.str();
}
};
ostream& operator<<(ostream& stream, const card& c) {
stream << c.getText();
}