Skip to content

Instantly share code, notes, and snippets.

@p4tin
Created July 2, 2020 01:44
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save p4tin/3a5be0f63684de9f1f66b03e0f78da96 to your computer and use it in GitHub Desktop.
Save p4tin/3a5be0f63684de9f1f66b03e0f78da96 to your computer and use it in GitHub Desktop.
Create, Shuffle and Deal Deck of cards
package main
import (
"fmt"
"math/rand"
"os"
"time"
)
// Card holds the card suits and types in the deck
type Card struct {
Type string
Suit string
}
// Deck holds the cards in the deck to be shuffled
type Deck []Card
// New creates a deck of cards to be used
func New() (deck Deck) {
// Valid types include Two, Three, Four, Five, Six
// Seven, Eight, Nine, Ten, Jack, Queen, King & Ace
types := []string{"Two", "Three", "Four", "Five", "Six", "Seven",
"Eight", "Nine", "Ten", "Jack", "Queen", "King", "Ace"}
// Valid suits include Heart, Diamond, Club & Spade
suits := []string{"Heart", "Diamond", "Club", "Spade"}
// Loop over each type and suit appending to the deck
for i := 0; i < len(types); i++ {
for n := 0; n < len(suits); n++ {
card := Card{
Type: types[i],
Suit: suits[n],
}
deck = append(deck, card)
}
}
return
}
// Shuffle the deck
func Shuffle(d Deck) Deck {
for i := 1; i < len(d); i++ {
// Create a random int up to the number of cards
r := rand.Intn(i + 1)
// If the the current card doesn't match the random
// int we generated then we'll switch them out
if i != r {
d[r], d[i] = d[i], d[r]
}
}
return d
}
// Deal a specified amount of cards
func Deal(d Deck, n int) {
for i := 0; i < n; i++ {
fmt.Println(d[i])
}
}
// Debug helps debugging the deck of cards
func Debug(d Deck) {
if os.Getenv("DEBUG") != "" {
for i := 0; i < len(d); i++ {
fmt.Printf("Card #%d is a %s of %ss\n", i+1, d[i].Type, d[i].Suit)
}
}
}
// Seed our randomness with the current time
func init() {
rand.Seed(time.Now().UnixNano())
}
func main() {
deck := New()
Debug(deck)
Shuffle(deck)
Debug(deck)
Deal(deck, 2)
}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment