mirror of https://github.com/01-edu/public.git
You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
2.1 KiB
2.1 KiB
card_deck
Instructions
A standard deck of cards has 52 cards: 4 suits with 13 cards per suit. Represent the cards from a deck:
- Create an
enum
to represent theSuit
. - Implement the associated function
random
, which returns a randomSuit
(Heart
,Diamond
,Spade
orClub
). - Create a
Rank
enum. For ace and face cards, it can be one ofAce
,King
,Queen
orJack
. For the values from 2 to 10, it can have aNumber
value associated to au8
. - Create an associated function to
Rank
calledRandom
that returns a randomRank
. - Create a structure name
Card
which has the fieldssuit
andrank
.
Define:
- The associated function
translate
forRank
andSuit
:- For
Suit
,translate
converts an integer value (u8
) to a suit (1 -> Heart, 2 -> Diamonds, 3 -> Spade, 4 -> Club). - For
Rank
,translate
converts an integer value (u8
) to a rank ( 1 -> Ace, 2 -> 2, .., 10 -> 10, 11 -> Jack, 12 -> Queen, 13 -> King).
- For
- The associated function
random
forRank
andSuit
returns a randomRank
andSuit
respectively. - Finally define the function
winner_card
which returnstrue
if the card passed as an argument is an ace of spades.
Dependencies
rand = "0.3.14"
Expected Functions and Structures
pub enum Suit {
}
pub enum Rank {
}
impl Suit {
pub fn random() -> Suit {
}
pub fn translate(value: u8) -> Suit {
}
}
impl Rank {
pub fn random() -> Rank {
}
pub fn translate(value: u8) -> Rank {
}
}
pub struct Card {
pub suit: Suit,
pub rank: Rank,
}
pub fn winner_card(card: &Card) -> bool {
}
Usage
Here is a program to test your function
fn main() {
let your_card = Card {
rank: Rank::random(),
suit: Suit::random(),
};
println!("Your card is {:?}", your_card);
// Now if the card is an Ace of Spades print "You are the winner"
if card_deck::winner_card(&your_card) {
println!("You are the winner!");
}
}
And its output
$ cargo run
Your card is Card { suit: Club, rank: Ace }
$