-
Notifications
You must be signed in to change notification settings - Fork 154
/
Copy pathDeck4.java
72 lines (65 loc) · 1.66 KB
/
Deck4.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
/*******************************************************************************
* Companion code for the book "Introduction to Software Design with Java"
* by Martin P. Robillard.
*
* Copyright (C) 2019 by Martin P. Robillard
*
* This code is licensed under a Creative Commons
* Attribution-NonCommercial-NoDerivatives 4.0 International License.
*
* See http://creativecommons.org/licenses/by-nc-nd/4.0/
*******************************************************************************/
package chapter4;
import java.util.ArrayList;
import java.util.Collections;
import java.util.List;
/**
* Represents a deck of playing cards. Simple version that
* includes the jokers.
*/
public class Deck4
{
private List<Card4> aCards = new ArrayList<>();
/**
* Creates a new deck of 54 cards, shuffled.
*/
public Deck4()
{
shuffle();
}
/**
* Reinitializes the deck with all 54 cards, and shuffles them.
*/
public void shuffle()
{
aCards.clear();
for( Suit suit : Suit.values() )
{
for( Rank rank : Rank.values() )
{
aCards.add( new Card4( rank, suit ));
}
}
aCards.add(new Card4(true));
aCards.add(new Card4(false));
Collections.shuffle(aCards);
}
/**
* Draws a card from the deck: removes the card from the top
* of the deck and returns it.
* @return The card drawn.
* @pre !isEmpty()
*/
public Card4 draw()
{
assert !isEmpty();
return aCards.remove(aCards.size() - 1);
}
/**
* @return True if and only if there are no cards in the deck.
*/
public boolean isEmpty()
{
return aCards.isEmpty();
}
}