I am working on a card game and I need to set the player who deals each hand.
I have two arrays, one stores the hands and the other stores the players.
JavaScript
x
14
14
1
hands = [
2
{
3
handNumber: 1,
4
dealer: null
5
},
6
{
7
handNumber: 2
8
dealer: null
9
}
10
11
]
12
13
players = ["Player 1", "Player 2", "Player 3", "Player 4"]
14
My goal is to assign a dealer to each hand in a consecutive way until reaching the max number of hands. For example:
JavaScript
1
7
1
Hand 1: Player 1
2
Hand 2: Player 2
3
Hand 3: Player 3
4
Hand 4: Player 4
5
Hand 5: Player 1
6
And so on
7
I tried different loops, but I am really stuck with this:
JavaScript
1
6
1
hands.forEach(hand => {
2
for(let i = 0; i < players.length; i++) {
3
hand.dealer = players[i]
4
}
5
})
6
Any suggestions? Any help will be much appreciated.
Advertisement
Answer
You can use % in order to return back to never go out of range of the player’s array and always return to the start again:
For example: 0 % 3 == 0
1 % 3 == 1
2 % 3 == 2
3 % 3 == 0
4 % 3 == 1
…
JavaScript
1
4
1
hands.forEach((hand, index) => {
2
hands[index] = players[index % players.length];
3
})
4
If you are interested you can read more about js operators here: https://www.w3schools.com/js/js_operators.asp