I am trying to create a blackjack game. This is the shuffling and dealing part of the game. The deck
array contains all the 52 cards of the deck (suits for the cards will be added).
This array is passed into the shuffle
function which uses the Fisher Yates shuffle algorithm.
let deck = [{face:'2',value:2},{face:'3',value:3},{face:'4',value:4},{face:'5',value:5},{face:'6',value:6},{face:'7',value:7},{face:'8',value:8},{face:'9',value:9},{face:'10',value:10},{face:'J',value:10},{face:'Q',value:10},{face:'K',value:10},{face:'A',value:10,value2:11,value3:1},{face:'2',value:2},{face:'3',value:3},{face:'4',value:4},{face:'5',value:5},{face:'6',value:6},{face:'7',value:7},{face:'8',value:8},{face:'9',value:9},{face:'10',value:10},{face:'J',value:10},{face:'Q',value:10},{face:'K',value:10},{face:'A',value:10,value2:11,value3:1},{face:'2',value:2},{face:'3',value:3},{face:'4',value:4},{face:'5',value:5},{face:'6',value:6},{face:'7',value:7},{face:'8',value:8},{face:'9',value:9},{face:'10',value:10},{face:'J',value:10},{face:'Q',value:10},{face:'K',value:10},{face:'A',value:10,value2:11,value3:1},{face:'2',value:2},{face:'3',value:3},{face:'4',value:4},{face:'5',value:5},{face:'6',value:6},{face:'7',value:7},{face:'8',value:8},{face:'9',value:9},{face:'10',value:10},{face:'J',value:10},{face:'Q',value:10},{face:'K',value:10},{face:'A',value:10,value2:11,value3:1}]
let userHand = []
let dealerHand = []
function shuffle(array) {
let currentIndex = array.length;
// While there remain elements to shuffle...
while (currentIndex != 0) {
// Pick a remaining element...
let randomIndex = Math.floor(Math.random() * currentIndex);
currentIndex--;
// And swap it with the current element.
[array[currentIndex], array[randomIndex]] = [
array[randomIndex], array[currentIndex]];
}
}
shuffle(deck)
console.log(deck)
function deal(){
userHand.push(deck.shift()); // Removes and gives first card
dealerHand.push(deck.shift()); // Removes and gives second card
userHand.push(deck.shift()); // Removes and gives third card
dealerHand.push(deck.shift()); // Removes and gives fourth card
console.log(userHand, dealerHand)
console.log(deck)
}
deal()
The deal
function is where I’m having problems. The goal is for the card at index[0]
of the shuffled deck to be taken out and added to the userHand
array. Then the next card at index [0]
to be added to dealerHand
array, until user and dealer have 2 cards each.
Instead, this is not happening. Instead of deck.shift()
removing the index[0]
obj from the deck, it removes an object at a random index and adds it to the userHand
/dealerHand
arrays.