feat(blackjack): add split functionality to the game
	
		
			
	
		
	
	
		
	
		
			All checks were successful
		
		
	
	
	
		
	
		
			All checks were successful
		
		
	
	
This commit is contained in:
		
					parent
					
						
							
								4a7c54eab8
							
						
					
				
			
			
				commit
				
					
						3ef5530e77
					
				
			
		
					 7 changed files with 410 additions and 276 deletions
				
			
		|  | @ -94,6 +94,23 @@ public class BlackJackGameController { | ||||||
|         return ResponseEntity.ok(blackJackService.doubleDown(game)); |         return ResponseEntity.ok(blackJackService.doubleDown(game)); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|  |     @PostMapping("/blackjack/{id}/split") | ||||||
|  |     public ResponseEntity<Object> split(@PathVariable Long id, @RequestHeader("Authorization") String token) { | ||||||
|  |         Optional<UserEntity> optionalUser = userService.getCurrentUser(token); | ||||||
|  | 
 | ||||||
|  |         if (optionalUser.isEmpty()) { | ||||||
|  |             return ResponseEntity.notFound().build(); | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         UserEntity user = optionalUser.get(); | ||||||
|  |         BlackJackGameEntity game = blackJackService.getBlackJackGame(id); | ||||||
|  |         if (game == null || !Objects.equals(game.getUserId(), user.getId())) { | ||||||
|  |             return ResponseEntity.notFound().build(); | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         return ResponseEntity.ok(blackJackService.split(game)); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|     @PostMapping("/blackjack/start") |     @PostMapping("/blackjack/start") | ||||||
|     public ResponseEntity<Object> createBlackJackGame(@RequestBody @Valid CreateBlackJackGameDto createBlackJackGameDto, @RequestHeader("Authorization") String token) { |     public ResponseEntity<Object> createBlackJackGame(@RequestBody @Valid CreateBlackJackGameDto createBlackJackGameDto, @RequestHeader("Authorization") String token) { | ||||||
|         Optional<UserEntity> optionalUser = userService.getCurrentUser(token); |         Optional<UserEntity> optionalUser = userService.getCurrentUser(token); | ||||||
|  |  | ||||||
|  | @ -51,4 +51,15 @@ public class BlackJackGameEntity { | ||||||
|     @JsonManagedReference |     @JsonManagedReference | ||||||
|     @SQLRestriction("card_type = 'DEALER'") |     @SQLRestriction("card_type = 'DEALER'") | ||||||
|     private List<CardEntity> dealerCards = new ArrayList<>(); |     private List<CardEntity> dealerCards = new ArrayList<>(); | ||||||
|  | 
 | ||||||
|  |     @OneToMany(mappedBy = "game", cascade = CascadeType.ALL, orphanRemoval = true) | ||||||
|  |     @JsonManagedReference | ||||||
|  |     @SQLRestriction("card_type = 'PLAYER_SPLIT'") | ||||||
|  |     private List<CardEntity> playerSplitCards = new ArrayList<>(); | ||||||
|  | 
 | ||||||
|  |     @Column(name = "split_bet") | ||||||
|  |     private BigDecimal splitBet; | ||||||
|  | 
 | ||||||
|  |     @Column(name = "is_split") | ||||||
|  |     private boolean isSplit; | ||||||
| } | } | ||||||
|  |  | ||||||
|  | @ -1,245 +1,318 @@ | ||||||
| package de.szut.casino.blackjack; | package de.szut.casino.blackjack; | ||||||
| 
 | 
 | ||||||
| import de.szut.casino.user.UserEntity; | import de.szut.casino.user.UserEntity; | ||||||
| import de.szut.casino.user.UserRepository; | import de.szut.casino.user.UserRepository; | ||||||
| import org.springframework.stereotype.Service; | import org.springframework.stereotype.Service; | ||||||
| import org.springframework.transaction.annotation.Transactional; | import org.springframework.transaction.annotation.Transactional; | ||||||
| 
 | 
 | ||||||
| import java.math.BigDecimal; | import java.math.BigDecimal; | ||||||
| import java.util.List; | import java.util.List; | ||||||
| import java.util.Optional; | import java.util.Optional; | ||||||
| import java.util.Random; | import java.util.Random; | ||||||
| 
 | 
 | ||||||
| @Service | @Service | ||||||
| public class BlackJackService { | public class BlackJackService { | ||||||
|     private final BlackJackGameRepository blackJackGameRepository; |     private final BlackJackGameRepository blackJackGameRepository; | ||||||
|     private final UserRepository userRepository; |     private final UserRepository userRepository; | ||||||
|     private final Random random = new Random(); |     private final Random random = new Random(); | ||||||
| 
 | 
 | ||||||
|     public BlackJackService(BlackJackGameRepository blackJackGameRepository, UserRepository userRepository) { |     public BlackJackService(BlackJackGameRepository blackJackGameRepository, UserRepository userRepository) { | ||||||
|         this.blackJackGameRepository = blackJackGameRepository; |         this.blackJackGameRepository = blackJackGameRepository; | ||||||
|         this.userRepository = userRepository; |         this.userRepository = userRepository; | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     public BlackJackGameEntity getBlackJackGame(Long id) { |     public BlackJackGameEntity getBlackJackGame(Long id) { | ||||||
|         return blackJackGameRepository.findById(id).orElse(null); |         return blackJackGameRepository.findById(id).orElse(null); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Transactional |     @Transactional | ||||||
|     public BlackJackGameEntity createBlackJackGame(UserEntity user, BigDecimal betAmount) { |     public BlackJackGameEntity createBlackJackGame(UserEntity user, BigDecimal betAmount) { | ||||||
|         BlackJackGameEntity game = new BlackJackGameEntity(); |         BlackJackGameEntity game = new BlackJackGameEntity(); | ||||||
|         game.setUser(user); |         game.setUser(user); | ||||||
|         game.setBet(betAmount); |         game.setBet(betAmount); | ||||||
|          |          | ||||||
|         initializeDeck(game); |         initializeDeck(game); | ||||||
|         dealInitialCards(game); |         dealInitialCards(game); | ||||||
|          |          | ||||||
|         game.setState(getState(game)); |         game.setState(getState(game)); | ||||||
|         deductBetFromBalance(user, betAmount); |         deductBetFromBalance(user, betAmount); | ||||||
|          |          | ||||||
|         return blackJackGameRepository.save(game); |         return blackJackGameRepository.save(game); | ||||||
|     } |     } | ||||||
| 
 | 
 | ||||||
|     @Transactional |     @Transactional | ||||||
|     public BlackJackGameEntity hit(BlackJackGameEntity game) { |     public BlackJackGameEntity hit(BlackJackGameEntity game) { | ||||||
|         game = refreshGameState(game); |         if (game.getState() != BlackJackState.IN_PROGRESS) { | ||||||
|          |             return game; | ||||||
|         if (game.getState() != BlackJackState.IN_PROGRESS) { |         } | ||||||
|             return game; |          | ||||||
|         } |         if (game.isSplit()) { | ||||||
|          |             dealCardToPlayer(game); | ||||||
|         dealCardToPlayer(game); |         } else { | ||||||
|         updateGameStateAndBalance(game); |             dealCardToPlayer(game); | ||||||
|          |         } | ||||||
|         return blackJackGameRepository.save(game); |          | ||||||
|     } |         updateGameStateAndBalance(game); | ||||||
| 
 |          | ||||||
|     @Transactional |         return blackJackGameRepository.save(game); | ||||||
|     public BlackJackGameEntity stand(BlackJackGameEntity game) { |     } | ||||||
|         game = refreshGameState(game); | 
 | ||||||
|          |     @Transactional | ||||||
|         if (game.getState() != BlackJackState.IN_PROGRESS) { |     public BlackJackGameEntity stand(BlackJackGameEntity game) { | ||||||
|             return game; |         if (game.getState() != BlackJackState.IN_PROGRESS) { | ||||||
|         } |             return game; | ||||||
|          |         } | ||||||
|         dealCardsToDealerUntilMinimumScore(game); |          | ||||||
|         determineWinnerAndUpdateBalance(game); |         dealCardsToDealerUntilMinimumScore(game); | ||||||
|          |         determineWinnerAndUpdateBalance(game); | ||||||
|         return blackJackGameRepository.save(game); |          | ||||||
|     } |         return blackJackGameRepository.save(game); | ||||||
| 
 |     } | ||||||
|     @Transactional | 
 | ||||||
|     public BlackJackGameEntity doubleDown(BlackJackGameEntity game) { |     @Transactional | ||||||
|         game = refreshGameState(game); |     public BlackJackGameEntity doubleDown(BlackJackGameEntity game) { | ||||||
|          |         if (game.getState() != BlackJackState.IN_PROGRESS || game.getPlayerCards().size() != 2) { | ||||||
|         if (game.getState() != BlackJackState.IN_PROGRESS || game.getPlayerCards().size() != 2) { |             return game; | ||||||
|             return game; |         } | ||||||
|         } |          | ||||||
|          |         UserEntity user = getUserWithFreshData(game.getUser()); | ||||||
|         UserEntity user = getUserWithFreshData(game.getUser()); |         BigDecimal additionalBet = game.getBet(); | ||||||
|         BigDecimal additionalBet = game.getBet(); |          | ||||||
|          |         if (user.getBalance().compareTo(additionalBet) < 0) { | ||||||
|         if (user.getBalance().compareTo(additionalBet) < 0) { |             return game; | ||||||
|             return game; |         } | ||||||
|         } |          | ||||||
|          |         deductBetFromBalance(user, additionalBet); | ||||||
|         deductBetFromBalance(user, additionalBet); |         game.setBet(game.getBet().add(additionalBet)); | ||||||
|         game.setBet(game.getBet().add(additionalBet)); |          | ||||||
|          |         dealCardToPlayer(game); | ||||||
|         dealCardToPlayer(game); |         updateGameStateAndBalance(game); | ||||||
|         updateGameStateAndBalance(game); |          | ||||||
|          |         if (game.getState() == BlackJackState.IN_PROGRESS) { | ||||||
|         if (game.getState() == BlackJackState.IN_PROGRESS) { |             return stand(game); | ||||||
|             return stand(game); |         } | ||||||
|         } |          | ||||||
|          |         return game; | ||||||
|         return game; |     } | ||||||
|     } | 
 | ||||||
| 
 |     @Transactional | ||||||
|     private BlackJackGameEntity refreshGameState(BlackJackGameEntity game) { |     public BlackJackGameEntity split(BlackJackGameEntity game) { | ||||||
|         return blackJackGameRepository.findById(game.getId()).orElse(game); |         if (game.getState() != BlackJackState.IN_PROGRESS ||  | ||||||
|     } |             game.getPlayerCards().size() != 2 ||  | ||||||
|      |             game.isSplit() || | ||||||
|     private UserEntity getUserWithFreshData(UserEntity user) { |             !game.getPlayerCards().get(0).getRank().equals(game.getPlayerCards().get(1).getRank())) { | ||||||
|         return userRepository.findById(user.getId()).orElse(user); |             return game; | ||||||
|     } |         } | ||||||
|      |          | ||||||
|     private void dealInitialCards(BlackJackGameEntity game) { |         UserEntity user = getUserWithFreshData(game.getUser()); | ||||||
|         for (int i = 0; i < 2; i++) { |         BigDecimal splitBet = game.getBet(); | ||||||
|             dealCardToPlayer(game); |          | ||||||
|         } |         if (user.getBalance().compareTo(splitBet) < 0) { | ||||||
|          |             return game; | ||||||
|         dealCardToDealer(game); |         } | ||||||
|     } |          | ||||||
|      |         deductBetFromBalance(user, splitBet); | ||||||
|     private void dealCardToPlayer(BlackJackGameEntity game) { |         game.setSplitBet(splitBet); | ||||||
|         CardEntity card = drawCardFromDeck(game); |         game.setSplit(true); | ||||||
|         card.setCardType(CardType.PLAYER); |          | ||||||
|         game.getPlayerCards().add(card); |         CardEntity card = game.getPlayerCards().remove(1); | ||||||
|     } |         card.setCardType(CardType.PLAYER_SPLIT); | ||||||
|      |         game.getPlayerSplitCards().add(card); | ||||||
|     private void dealCardToDealer(BlackJackGameEntity game) { |          | ||||||
|         CardEntity card = drawCardFromDeck(game); |         dealCardToPlayer(game); | ||||||
|         card.setCardType(CardType.DEALER); |         dealCardToSplitHand(game); | ||||||
|         game.getDealerCards().add(card); |          | ||||||
|     } |         return blackJackGameRepository.save(game); | ||||||
|      |     } | ||||||
|     private void dealCardsToDealerUntilMinimumScore(BlackJackGameEntity game) { | 
 | ||||||
|         while (calculateHandValue(game.getDealerCards()) < 17) { |     private BlackJackGameEntity refreshGameState(BlackJackGameEntity game) { | ||||||
|             dealCardToDealer(game); |         return blackJackGameRepository.findById(game.getId()).orElse(game); | ||||||
|         } |     } | ||||||
|     } |      | ||||||
|      |     private UserEntity getUserWithFreshData(UserEntity user) { | ||||||
|     private void updateGameStateAndBalance(BlackJackGameEntity game) { |         return userRepository.findById(user.getId()).orElse(user); | ||||||
|         game.setState(getState(game)); |     } | ||||||
|          |      | ||||||
|         if (game.getState() == BlackJackState.PLAYER_WON) { |     private void dealInitialCards(BlackJackGameEntity game) { | ||||||
|             updateUserBalance(game, true); |         for (int i = 0; i < 2; i++) { | ||||||
|         } else if (game.getState() == BlackJackState.PLAYER_LOST) { |             dealCardToPlayer(game); | ||||||
|             updateUserBalance(game, false); |         } | ||||||
|         } |          | ||||||
|     } |         dealCardToDealer(game); | ||||||
|      |     } | ||||||
|     private void determineWinnerAndUpdateBalance(BlackJackGameEntity game) { |      | ||||||
|         int playerValue = calculateHandValue(game.getPlayerCards()); |     private void dealCardToPlayer(BlackJackGameEntity game) { | ||||||
|         int dealerValue = calculateHandValue(game.getDealerCards()); |         CardEntity card = drawCardFromDeck(game); | ||||||
| 
 |         card.setCardType(CardType.PLAYER); | ||||||
|         if (dealerValue > 21 || playerValue > dealerValue) { |         game.getPlayerCards().add(card); | ||||||
|             game.setState(BlackJackState.PLAYER_WON); |     } | ||||||
|             updateUserBalance(game, true); |      | ||||||
|         } else if (playerValue < dealerValue) { |     private void dealCardToDealer(BlackJackGameEntity game) { | ||||||
|             game.setState(BlackJackState.PLAYER_LOST); |         CardEntity card = drawCardFromDeck(game); | ||||||
|             updateUserBalance(game, false); |         card.setCardType(CardType.DEALER); | ||||||
|         } else { |         game.getDealerCards().add(card); | ||||||
|             game.setState(BlackJackState.DRAW); |     } | ||||||
|             updateUserBalance(game, false); // For draw, player gets their bet back |      | ||||||
|         } |     private void dealCardsToDealerUntilMinimumScore(BlackJackGameEntity game) { | ||||||
|     } |         while (calculateHandValue(game.getDealerCards()) < 17) { | ||||||
|      |             dealCardToDealer(game); | ||||||
|     private void deductBetFromBalance(UserEntity user, BigDecimal betAmount) { |         } | ||||||
|         user.setBalance(user.getBalance().subtract(betAmount)); |     } | ||||||
|         userRepository.save(user); |      | ||||||
|     } |     private void dealCardToSplitHand(BlackJackGameEntity game) { | ||||||
| 
 |         CardEntity card = drawCardFromDeck(game); | ||||||
|     @Transactional |         card.setCardType(CardType.PLAYER_SPLIT); | ||||||
|     private void updateUserBalance(BlackJackGameEntity game, boolean isWin) { |         game.getPlayerSplitCards().add(card); | ||||||
|         UserEntity user = getUserWithFreshData(game.getUser()); |     } | ||||||
|         BigDecimal betAmount = game.getBet(); |      | ||||||
|         BigDecimal balance = user.getBalance(); |     private void updateGameStateAndBalance(BlackJackGameEntity game) { | ||||||
|          |         if (game.isSplit()) { | ||||||
|         if (isWin) { |             int mainHandValue = calculateHandValue(game.getPlayerCards()); | ||||||
|             balance = balance.add(betAmount.multiply(BigDecimal.valueOf(2))); |             int splitHandValue = calculateHandValue(game.getPlayerSplitCards()); | ||||||
|         } else if (game.getState() == BlackJackState.DRAW) { |              | ||||||
|             balance = balance.add(betAmount); |             if (mainHandValue > 21 && splitHandValue > 21) { | ||||||
|         } |                 game.setState(BlackJackState.PLAYER_LOST); | ||||||
|          |                 updateUserBalance(game, false); | ||||||
|         user.setBalance(balance); |             } else if (mainHandValue <= 21 && splitHandValue <= 21) { | ||||||
|         userRepository.save(user); |                 game.setState(BlackJackState.IN_PROGRESS); | ||||||
|     } |             } else { | ||||||
| 
 |                 game.setState(BlackJackState.IN_PROGRESS); | ||||||
|     private void initializeDeck(BlackJackGameEntity game) { |             } | ||||||
|         for (Suit suit : Suit.values()) { |         } else { | ||||||
|             for (Rank rank : Rank.values()) { |             game.setState(getState(game)); | ||||||
|                 CardEntity card = new CardEntity(); |              | ||||||
|                 card.setGame(game); |             if (game.getState() == BlackJackState.PLAYER_WON) { | ||||||
|                 card.setSuit(suit); |                 updateUserBalance(game, true); | ||||||
|                 card.setRank(rank); |             } else if (game.getState() == BlackJackState.PLAYER_LOST) { | ||||||
|                 card.setCardType(CardType.DECK); |                 updateUserBalance(game, false); | ||||||
|                 game.getDeck().add(card); |             } | ||||||
|             } |         } | ||||||
|         } |     } | ||||||
| 
 |      | ||||||
|         java.util.Collections.shuffle(game.getDeck(), random); |     private void determineWinnerAndUpdateBalance(BlackJackGameEntity game) { | ||||||
|     } |         int playerValue = calculateHandValue(game.getPlayerCards()); | ||||||
| 
 |         int dealerValue = calculateHandValue(game.getDealerCards()); | ||||||
|     private CardEntity drawCardFromDeck(BlackJackGameEntity game) { | 
 | ||||||
|         if (game.getDeck().isEmpty()) { |         if (dealerValue > 21 || playerValue > dealerValue) { | ||||||
|             throw new IllegalStateException("Deck is empty"); |             game.setState(BlackJackState.PLAYER_WON); | ||||||
|         } |             updateUserBalance(game, true); | ||||||
| 
 |         } else if (playerValue < dealerValue) { | ||||||
|         return game.getDeck().removeFirst(); |             game.setState(BlackJackState.PLAYER_LOST); | ||||||
|     } |             updateUserBalance(game, false); | ||||||
| 
 |         } else { | ||||||
|     private BlackJackState getState(BlackJackGameEntity game) { |             game.setState(BlackJackState.DRAW); | ||||||
|         int playerHandValue = calculateHandValue(game.getPlayerCards()); |             updateUserBalance(game, false); | ||||||
| 
 |         } | ||||||
|         if (playerHandValue == 21) { |     } | ||||||
|             CardEntity hole = drawCardFromDeck(game); |      | ||||||
|             hole.setCardType(CardType.DEALER); |     private void deductBetFromBalance(UserEntity user, BigDecimal betAmount) { | ||||||
|             game.getDealerCards().add(hole); |         user.setBalance(user.getBalance().subtract(betAmount)); | ||||||
| 
 |         userRepository.save(user); | ||||||
|             int dealerHandValue = calculateHandValue(game.getDealerCards()); |     } | ||||||
| 
 | 
 | ||||||
|             if (dealerHandValue == 21) { |     @Transactional | ||||||
|                 return BlackJackState.DRAW; |     private void updateUserBalance(BlackJackGameEntity game, boolean isWin) { | ||||||
|             } else { |         UserEntity user = getUserWithFreshData(game.getUser()); | ||||||
|                 BigDecimal blackjackWinnings = game.getBet().multiply(new BigDecimal("1.5")); |         BigDecimal totalBet = game.getBet(); | ||||||
|                 UserEntity user = getUserWithFreshData(game.getUser()); |         BigDecimal balance = user.getBalance(); | ||||||
|                 user.setBalance(user.getBalance().add(blackjackWinnings)); |          | ||||||
|                 return BlackJackState.PLAYER_BLACKJACK; |         if (game.isSplit()) { | ||||||
|             } |             totalBet = totalBet.add(game.getSplitBet()); | ||||||
|         } else if (playerHandValue > 21) { |              | ||||||
|             return BlackJackState.PLAYER_LOST; |             if (isWin) { | ||||||
|         } |                 int mainHandValue = calculateHandValue(game.getPlayerCards()); | ||||||
| 
 |                 int splitHandValue = calculateHandValue(game.getPlayerSplitCards()); | ||||||
|         return BlackJackState.IN_PROGRESS; |                 int dealerValue = calculateHandValue(game.getDealerCards()); | ||||||
|     } |                  | ||||||
| 
 |                 if (mainHandValue <= 21 && (dealerValue > 21 || mainHandValue > dealerValue)) { | ||||||
|     private int calculateHandValue(List<CardEntity> hand) { |                     balance = balance.add(game.getBet().multiply(BigDecimal.valueOf(2))); | ||||||
|         int sum = 0; |                 } else if (mainHandValue == dealerValue) { | ||||||
|         int aceCount = 0; |                     balance = balance.add(game.getBet()); | ||||||
|         for (CardEntity card : hand) { |                 } | ||||||
|             sum += card.getRank().getValue(); |                  | ||||||
|             if (card.getRank() == Rank.ACE) { |                 if (splitHandValue <= 21 && (dealerValue > 21 || splitHandValue > dealerValue)) { | ||||||
|                 aceCount++; |                     balance = balance.add(game.getSplitBet().multiply(BigDecimal.valueOf(2))); | ||||||
|             } |                 } else if (splitHandValue == dealerValue) { | ||||||
|         } |                     balance = balance.add(game.getSplitBet()); | ||||||
| 
 |                 } | ||||||
|         while (sum > 21 && aceCount > 0) { |             } else if (game.getState() == BlackJackState.DRAW) { | ||||||
|             sum -= 10; |                 balance = balance.add(totalBet); | ||||||
|             aceCount--; |             } | ||||||
|         } |         } else { | ||||||
| 
 |             if (isWin) { | ||||||
|         return sum; |                 balance = balance.add(totalBet.multiply(BigDecimal.valueOf(2))); | ||||||
|     } |             } else if (game.getState() == BlackJackState.DRAW) { | ||||||
| } |                 balance = balance.add(totalBet); | ||||||
|  |             } | ||||||
|  |         } | ||||||
|  |          | ||||||
|  |         user.setBalance(balance); | ||||||
|  |         userRepository.save(user); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     private void initializeDeck(BlackJackGameEntity game) { | ||||||
|  |         for (Suit suit : Suit.values()) { | ||||||
|  |             for (Rank rank : Rank.values()) { | ||||||
|  |                 CardEntity card = new CardEntity(); | ||||||
|  |                 card.setGame(game); | ||||||
|  |                 card.setSuit(suit); | ||||||
|  |                 card.setRank(rank); | ||||||
|  |                 card.setCardType(CardType.DECK); | ||||||
|  |                 game.getDeck().add(card); | ||||||
|  |             } | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         java.util.Collections.shuffle(game.getDeck(), random); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     private CardEntity drawCardFromDeck(BlackJackGameEntity game) { | ||||||
|  |         if (game.getDeck().isEmpty()) { | ||||||
|  |             throw new IllegalStateException("Deck is empty"); | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         return game.getDeck().removeFirst(); | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     private BlackJackState getState(BlackJackGameEntity game) { | ||||||
|  |         int playerHandValue = calculateHandValue(game.getPlayerCards()); | ||||||
|  | 
 | ||||||
|  |         if (playerHandValue == 21) { | ||||||
|  |             CardEntity hole = drawCardFromDeck(game); | ||||||
|  |             hole.setCardType(CardType.DEALER); | ||||||
|  |             game.getDealerCards().add(hole); | ||||||
|  | 
 | ||||||
|  |             int dealerHandValue = calculateHandValue(game.getDealerCards()); | ||||||
|  | 
 | ||||||
|  |             if (dealerHandValue == 21) { | ||||||
|  |                 return BlackJackState.DRAW; | ||||||
|  |             } else { | ||||||
|  |                 BigDecimal blackjackWinnings = game.getBet().multiply(new BigDecimal("1.5")); | ||||||
|  |                 UserEntity user = getUserWithFreshData(game.getUser()); | ||||||
|  |                 user.setBalance(user.getBalance().add(blackjackWinnings)); | ||||||
|  |                 return BlackJackState.PLAYER_BLACKJACK; | ||||||
|  |             } | ||||||
|  |         } else if (playerHandValue > 21) { | ||||||
|  |             return BlackJackState.PLAYER_LOST; | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         return BlackJackState.IN_PROGRESS; | ||||||
|  |     } | ||||||
|  | 
 | ||||||
|  |     private int calculateHandValue(List<CardEntity> hand) { | ||||||
|  |         int sum = 0; | ||||||
|  |         int aceCount = 0; | ||||||
|  |         for (CardEntity card : hand) { | ||||||
|  |             sum += card.getRank().getValue(); | ||||||
|  |             if (card.getRank() == Rank.ACE) { | ||||||
|  |                 aceCount++; | ||||||
|  |             } | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         while (sum > 21 && aceCount > 0) { | ||||||
|  |             sum -= 10; | ||||||
|  |             aceCount--; | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         return sum; | ||||||
|  |     } | ||||||
|  | } | ||||||
|  |  | ||||||
|  | @ -36,5 +36,5 @@ public class CardEntity { | ||||||
| } | } | ||||||
| 
 | 
 | ||||||
| enum CardType { | enum CardType { | ||||||
|     DECK, PLAYER, DEALER |     DECK, PLAYER, DEALER, PLAYER_SPLIT | ||||||
| } | } | ||||||
|  |  | ||||||
|  | @ -1,4 +1,4 @@ | ||||||
| import { ChangeDetectionStrategy, Component, inject, signal } from '@angular/core'; | import { ChangeDetectionStrategy, Component, inject, signal, OnInit } from '@angular/core'; | ||||||
| import { CommonModule } from '@angular/common'; | import { CommonModule } from '@angular/common'; | ||||||
| import { Router } from '@angular/router'; | import { Router } from '@angular/router'; | ||||||
| import { PlayingCardComponent } from './components/playing-card/playing-card.component'; | import { PlayingCardComponent } from './components/playing-card/playing-card.component'; | ||||||
|  | @ -13,6 +13,7 @@ import { GameResultComponent } from '@blackjack/components/game-result/game-resu | ||||||
| import { GameState } from '@blackjack/enum/gameState'; | import { GameState } from '@blackjack/enum/gameState'; | ||||||
| import { NavbarComponent } from '@shared/components/navbar/navbar.component'; | import { NavbarComponent } from '@shared/components/navbar/navbar.component'; | ||||||
| import { UserService } from '@service/user.service'; | import { UserService } from '@service/user.service'; | ||||||
|  | import { timer } from 'rxjs'; | ||||||
| 
 | 
 | ||||||
| @Component({ | @Component({ | ||||||
|   selector: 'app-blackjack', |   selector: 'app-blackjack', | ||||||
|  | @ -30,7 +31,7 @@ import { UserService } from '@service/user.service'; | ||||||
|   templateUrl: './blackjack.component.html', |   templateUrl: './blackjack.component.html', | ||||||
|   changeDetection: ChangeDetectionStrategy.OnPush, |   changeDetection: ChangeDetectionStrategy.OnPush, | ||||||
| }) | }) | ||||||
| export default class BlackjackComponent { | export default class BlackjackComponent implements OnInit { | ||||||
|   private router = inject(Router); |   private router = inject(Router); | ||||||
|   private userService = inject(UserService); |   private userService = inject(UserService); | ||||||
|   private blackjackService = inject(BlackjackService); |   private blackjackService = inject(BlackjackService); | ||||||
|  | @ -47,13 +48,11 @@ export default class BlackjackComponent { | ||||||
|   isActionInProgress = signal(false); |   isActionInProgress = signal(false); | ||||||
|   currentAction = signal<string>(''); |   currentAction = signal<string>(''); | ||||||
| 
 | 
 | ||||||
|   constructor() { |   ngOnInit(): void { | ||||||
|     this.refreshUserBalance(); |     this.userService.currentUser$.subscribe((user) => { | ||||||
|   } |       if (user) { | ||||||
| 
 |         this.balance.set(user.balance); | ||||||
|   private refreshUserBalance(): void { |       } | ||||||
|     this.userService.getCurrentUser().subscribe((user) => { |  | ||||||
|       this.balance.set(user?.balance ?? 0); |  | ||||||
|     }); |     }); | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|  | @ -83,8 +82,10 @@ export default class BlackjackComponent { | ||||||
|     if (isGameOver) { |     if (isGameOver) { | ||||||
|       console.log('Game is over, state:', game.state); |       console.log('Game is over, state:', game.state); | ||||||
|       this.userService.refreshCurrentUser(); |       this.userService.refreshCurrentUser(); | ||||||
|       this.showGameResult.set(true); |       timer(1500).subscribe(() => { | ||||||
|       console.log('Game result dialog should be shown now'); |         this.showGameResult.set(true); | ||||||
|  |         console.log('Game result dialog shown after delay'); | ||||||
|  |       }); | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|  | @ -180,21 +181,18 @@ export default class BlackjackComponent { | ||||||
|   onCloseGameResult(): void { |   onCloseGameResult(): void { | ||||||
|     console.log('Closing game result dialog'); |     console.log('Closing game result dialog'); | ||||||
|     this.showGameResult.set(false); |     this.showGameResult.set(false); | ||||||
|  |     this.userService.refreshCurrentUser(); | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   private handleGameError(error: HttpErrorResponse): void { |   private handleGameError(error: HttpErrorResponse): void { | ||||||
|     if (error instanceof HttpErrorResponse) { |     if (error instanceof HttpErrorResponse) { | ||||||
|       if (error.status === 400 && error.error?.error === 'Invalid state') { |       if (error.status === 400 && error.error?.error === 'Invalid state') { | ||||||
|         this.gameInProgress.set(false); |         this.gameInProgress.set(false); | ||||||
| 
 |         this.userService.refreshCurrentUser(); | ||||||
|         this.refreshUserBalance(); |  | ||||||
|       } else if (error.status === 500) { |       } else if (error.status === 500) { | ||||||
|         console.log('Server error occurred. The game may have been updated in another session.'); |         console.log('Server error occurred. The game may have been updated in another session.'); | ||||||
| 
 |  | ||||||
|         this.gameInProgress.set(false); |         this.gameInProgress.set(false); | ||||||
| 
 |         this.userService.refreshCurrentUser(); | ||||||
|         this.refreshUserBalance(); |  | ||||||
| 
 |  | ||||||
|         if (this.currentGameId()) { |         if (this.currentGameId()) { | ||||||
|           this.refreshGameState(this.currentGameId()!); |           this.refreshGameState(this.currentGameId()!); | ||||||
|         } |         } | ||||||
|  |  | ||||||
|  | @ -6,9 +6,11 @@ import { | ||||||
|   OnChanges, |   OnChanges, | ||||||
|   Output, |   Output, | ||||||
|   SimpleChanges, |   SimpleChanges, | ||||||
|  |   signal, | ||||||
| } from '@angular/core'; | } from '@angular/core'; | ||||||
| import { CommonModule, CurrencyPipe } from '@angular/common'; | import { CommonModule, CurrencyPipe } from '@angular/common'; | ||||||
| import { FormBuilder, FormGroup, ReactiveFormsModule, Validators } from '@angular/forms'; | import { FormGroup, ReactiveFormsModule } from '@angular/forms'; | ||||||
|  | import { BettingService } from '@blackjack/services/betting.service'; | ||||||
| 
 | 
 | ||||||
| @Component({ | @Component({ | ||||||
|   selector: 'app-game-info', |   selector: 'app-game-info', | ||||||
|  | @ -101,7 +103,14 @@ import { FormBuilder, FormGroup, ReactiveFormsModule, Validators } from '@angula | ||||||
|   changeDetection: ChangeDetectionStrategy.OnPush, |   changeDetection: ChangeDetectionStrategy.OnPush, | ||||||
| }) | }) | ||||||
| export class GameInfoComponent implements OnChanges { | export class GameInfoComponent implements OnChanges { | ||||||
|   @Input() balance = 0; |   @Input() set balance(value: number) { | ||||||
|  |     this._balance.set(value); | ||||||
|  |   } | ||||||
|  |   get balance() { | ||||||
|  |     return this._balance(); | ||||||
|  |   } | ||||||
|  |   private _balance = signal(0); | ||||||
|  | 
 | ||||||
|   @Input() currentBet = 0; |   @Input() currentBet = 0; | ||||||
|   @Input() gameInProgress = false; |   @Input() gameInProgress = false; | ||||||
|   @Input() isActionInProgress = false; |   @Input() isActionInProgress = false; | ||||||
|  | @ -109,24 +118,19 @@ export class GameInfoComponent implements OnChanges { | ||||||
| 
 | 
 | ||||||
|   betForm: FormGroup; |   betForm: FormGroup; | ||||||
| 
 | 
 | ||||||
|   constructor(private fb: FormBuilder) { |   constructor(private bettingService: BettingService) { | ||||||
|     this.betForm = this.fb.group({ |     this.betForm = this.bettingService.createBetForm(); | ||||||
|       bet: ['', [Validators.required, Validators.min(1)]], |  | ||||||
|     }); |  | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   ngOnChanges(changes: SimpleChanges): void { |   ngOnChanges(changes: SimpleChanges): void { | ||||||
|     if (changes['balance']) { |     if (changes['balance']) { | ||||||
|       this.betForm |       this.bettingService.updateBetFormValidators(this.betForm, this.balance); | ||||||
|         .get('bet') |  | ||||||
|         ?.setValidators([Validators.required, Validators.min(1), Validators.max(this.balance)]); |  | ||||||
|       this.betForm.get('bet')?.updateValueAndValidity(); |  | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
| 
 | 
 | ||||||
|   setBetAmount(percentage: number) { |   setBetAmount(percentage: number) { | ||||||
|     const betAmount = Math.floor(this.balance * percentage * 100) / 100; |     const betAmount = this.bettingService.calculateBetAmount(this.balance, percentage); | ||||||
|     if (betAmount >= 1) { |     if (this.bettingService.isValidBet(betAmount, this.balance)) { | ||||||
|       this.betForm.patchValue({ bet: betAmount }); |       this.betForm.patchValue({ bet: betAmount }); | ||||||
|     } |     } | ||||||
|   } |   } | ||||||
|  | @ -134,7 +138,7 @@ export class GameInfoComponent implements OnChanges { | ||||||
|   onSubmit() { |   onSubmit() { | ||||||
|     if (this.betForm.valid) { |     if (this.betForm.valid) { | ||||||
|       const betAmount = parseFloat(this.betForm.value.bet); |       const betAmount = parseFloat(this.betForm.value.bet); | ||||||
|       if (betAmount <= this.balance) { |       if (this.bettingService.isValidBet(betAmount, this.balance)) { | ||||||
|         this.newGame.emit(betAmount); |         this.newGame.emit(betAmount); | ||||||
|         this.betForm.reset(); |         this.betForm.reset(); | ||||||
|       } |       } | ||||||
|  |  | ||||||
|  | @ -0,0 +1,31 @@ | ||||||
|  | import { Injectable } from '@angular/core'; | ||||||
|  | import { FormBuilder, FormGroup, Validators } from '@angular/forms'; | ||||||
|  | 
 | ||||||
|  | @Injectable({ | ||||||
|  |   providedIn: 'root', | ||||||
|  | }) | ||||||
|  | export class BettingService { | ||||||
|  |   constructor(private fb: FormBuilder) {} | ||||||
|  | 
 | ||||||
|  |   createBetForm(): FormGroup { | ||||||
|  |     return this.fb.group({ | ||||||
|  |       bet: ['', [Validators.required, Validators.min(1)]], | ||||||
|  |     }); | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   updateBetFormValidators(form: FormGroup, balance: number): void { | ||||||
|  |     form.reset(); | ||||||
|  |     form | ||||||
|  |       .get('bet') | ||||||
|  |       ?.setValidators([Validators.required, Validators.min(1), Validators.max(balance)]); | ||||||
|  |     form.get('bet')?.updateValueAndValidity(); | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   calculateBetAmount(balance: number, percentage: number): number { | ||||||
|  |     return Math.floor(balance * percentage * 100) / 100; | ||||||
|  |   } | ||||||
|  | 
 | ||||||
|  |   isValidBet(betAmount: number, balance: number): boolean { | ||||||
|  |     return betAmount >= 1 && betAmount <= balance; | ||||||
|  |   } | ||||||
|  | } | ||||||
		Reference in a new issue