-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathPlayingCard.java
97 lines (85 loc) · 2.08 KB
/
PlayingCard.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
/*
Alan Tan
6.28.16
PlayingCard is able to be used for games like
Poker, Thirteen, etc.
*/
public class PlayingCard {
public enum Rank {
ACE("1"), DEUCE("2"), THREE("3"), FOUR("4"), FIVE("5"),
SIX("6"), SEVEN("7"), EIGHT("8"), NINE("9"), TEN("10"),
JACK("J"), QUEEN("Q"), KING("K")
}
public enum Suit {
CLUBS, DIAMONDS, HEARTS, SPADES
}
public enum Color {
BLACK, RED
}
private final Rank rank;
private final Suit suit;
private final Color color;
// Constructs a PlayingCard of the given rank and suit
// Color of the card is black if suit is clubs or diamonds
// Red otherwise yeahe
public PlayingCard(Rank rank, Suit suit) {
this.rank = rank;
this.suit = suit;
if (this.suit == Suit.CLUBS || this.suit == Suit.SPADES) {
this.color = Color.BLACK;
} else {
this.color = Color.RED;
}
}
// Returns the rank of the card
public Rank getRank() {
return this.rank;
}
// Returns the rank as a String
public String getRankString()
return this.rank.name();
// Returns the rank as an int
// -1 is returned if invalid rank
public int getRankValue() {
switch (this.rank) {
case ACE: return 1;
case DEUCE: return 2;
case THREE: return 3;
case FOUR: return 4;
case FIVE: return 5;
case SIX: return 6;
case SEVEN: return 7;
case EIGHT: return 8;
case NINE: return 9;
case TEN: return 10;
case JACK: return 11;
case QUEEN: return 12;
case KING: return 13;
default: return -1;
}
}
// Returns the suit of the card
public Suit getSuit() {
return this.suit;
}
// Returns the suit as a String
public String getSuitString() {
switch (this.suit) {
case CLUBS: return "Clubs";
case DIAMONDS: return "Diamonds";
case HEARTS: return "Hearts";
case SPADES: return "Spades";
default: return "Invalid Suit";
}
}
public String toString() {
return getRankString() + " of " + getSuitString();
}
// Cards are compared by their ranks
// Returning -1 if this rank is less than
// 1 if greater than
// Otherwise 0
public int compareTo(PlayingCard other) {
return this.getRankValue() - other.getRankValue();
}
}