Cowboy Programming Game Development and General Hacking by the Old West

January 4, 2007

Programming Poker AI

Filed under: Game Development,Inner Product — Mick West @ 6:17 pm

This article was originally published in the “Inner Product” column in Game Developer Magazine, November 2005

I recently programmed the AI for the World Series of Poker, developed by Left Field Productions and published by Activision. I started out thinking it would be an easy task. But it proved a lot more complex than I initially thought.

This article for the budding poker AI programmer provides a foundation for a simple implementation of No-Limit Texas Holdem Poker AI, covering the basics of hand strength evaluation and betting. By following the recipe set out here, you will quickly become able to implement a reasonably strong poker AI, and have a solid foundation on which to build. I assume you are familiar with the basic terminology of poker.

TEXAS HOLDEM

The goal of any game playing AI is twofold. The primary purpose is to allow the player to have a fun and enjoyable experience. The secondary purpose, subordinate to the first, is to play a strong enough game to provide sufficient challenge to the majority of players in your intended audience.

POKER DATA TYPES

You will need an implementation of the following data types. I’m going to describe them at the bit/byte implementation level, leaving the high level abstraction up to you.

A “suit” is an integer in the range 0..3, where 0=Clubs, 1=Diamonds, 2=Hearts, 3=Spades

A “rank” is an integer in the range 0..12, where 0 = 2 (deuce), 1 = 3, 11 = King, 12 = Ace. This is the cards in a suit arranged in rank order

A “card” is an integer in the range 0..51, hence
card = suit*13 + rank.
Suit = card/13
Rank = card%13

A “Hand” is a 52 bit data type, where each bit represents a single card. This can be stored as four 16 bit words for ease of use, where each 16 bit word represents the potential cards in one suit (using 13 of the 16 bits) (figure 1)

A “Hand Type” is an integer representing the type of poker hand you have, where 0= no pair, 1=pair, 2=two pair, 3=trips, 4=straight, 5=flush, 6=full house, 7=quads, 8=straight flush.

ENCODING HAND VALUES

A “Hand Value” is a 32 bit integer representing the relative value or strength of any hand of cards. By comparing two hand values, you can see which hand is stronger in a game of poker.
The hand value can conveniently be represented as a series of six 4-bit nibbles, where the most significant nibble represents the Hand Type, then the next five nibbles represent the different ranks of the cards in the order of significance to the hand value. (figure. 2)

Example 1: AH QD 4S KH 8C is a “no pair” hand type (sometimes called a “high card”, or in this case “Ace high”). So, the hand type nibble is set to 0. The remaining nibbles in the Hand Value are filled out with the ranks of the five cards in descending order. (A, K, Q, 8, 4), which translated into rank indices: 12,11,10,6,2 (or C,B,A,6,2 in hexadecimal), and when combined with the hand type (0) in the high nibble, gives us a 32 bit integer: 0x000CBA62.

The individual suits of the cards are basically ignored in the final hand value. The only time suit is significant is when it contributes to a flush. Also, note the top two nibbles of the Hand Value are always zero.

Example 2: 4D JD 3D 4C AD is a pair of fours, with Ace, Jack, Three kickers. The hand type is a pair, (type 1), then the ranks follow, starting with the rank of the pair, then the ranks of the kickers, so 4,A,J,3, which gives us 0x0012C910.

Example 3: 7C, 6C, 5C, 4C, 3D is a straight (type 4). More specifically it’s a seven high straight. The only rank of import here is the seven (rank 5). So the hand value is encoded as 0x00450000. We save ourselves a bunch of instructions in ignoring the four low cards after we’ve determined it is a straight.

Look at the resultant hand values of the above examples, you can clearly see how the better hands always have a higher hand value, making determining the wining hand a simple comparison.

CALCULATING HAND VALUES

What we now need is a function that takes a hand, and returns a hand value. This involves determining the hand type, then inserting the nibbles for the hand ranks, as above.

A hand is four words (clubs, diamonds, hearts, spades) of 13 bits each. 13 bits can be arranged in just 8192 combination, which means we can accelerate the evaluation of a hand by pre-calculating 8K tables of things like the number of bits set in a (13 bit) word (if you have five or more of the same suit, then you’ve got a flush), or the highest card of any straight in the hand. You can also pre-calculate a table of the highest five cards from a particular bit combination, which you can then use to set the kicker cards.

If you calculate ranks = (hearts | diamonds | clubs | spades) then the value ranks is a bit-field with a bit set for every card rank that you have at least one of. The number of bits set here is the number of unique ranks you have. We calculate the number of bits in each of hearts, diamonds, clubs and spades, and subtract the number of bits in the unique ranks, giving the number of duplicated ranks, to be used as the basis of determining what type of hand you have.

Example: if you have 2D AS AH 2C 2H, you can very quickly determine that you have five cards, that there are just two unique ranks, and hence you must have either a full house or four of a kind. A few more simple tests will determine exactly what you have. The entire evaluation function will consist of tests like this, gradually whittling down the possible hand types.

Since the function consists mostly of bitwise operations, table lookups and simple comparisons, it is going to be very fast. It’s also very amenable to fine tuning optimization, and the exact implementation will depend on the target architecture. You may be able to take advantage of some processor specific instructions to greatly improve the efficiency.

CALCULATING HAND STRENGTH

Hand strength is the probability that you will win the hand, given your hole cards, the community cards, and the opponents who remain in the hand. Hand strength is a floating point number between 0.0 (certain loss) and 1.0 (certain win). For example, a HS of 0.33 means you have a 33% chance of winning.

The easiest and most flexibly way of calculating the HS is to simulate the progress of the game a very large number of time, and count the number of those times you win. Say you simulate the game 1,000 times, and in the simulation, you win 423 games, then you have a high degree of certainty of having an approximate HS of 423/1000, or 0.423.

The procedure for simulating a game is very simple:

Create a pack of cards
Set score = 0
Remove the known cards (your hole cards, and any community cards)
Repeat 1000 times (or more, depending on CPU resources and desired accuracy)
Shuffle the remaining pack
Deal your opponent’s hole cards, and the remaining community cards
Evaluate all hands, and see who has the best hands
If you have the best hand then
Add 1/(number of people with the same hand value) to your score (usually 1)
End if
end repeat
Hand Strength = score/number of loops (1000 in this case).

To be more accurate, we have to run our simulation with people dropping out if they are dealt hole cards below a certain threshold. In practice, the determination of if a player stays in or not in a simulation is a probabilistic function of the strength of their hole cards, their table position, their stack size, the blind size and their previous behavior. For now we can just modify the simulation, so after dealing the opponents hole cards, remove any non-blind players with hole cards worse than, say, a pair of sixes. While not particularly elegant, it will still give you a useful number.

POT ODDS

The pot odds number is the ratio of your bet or call to the size of the pot after you bet (the amount you will win). For example, if the bet is $20, and there is $40 in the pot, then the pot odds are 20/(20+40) = 0.333.

RATE OF RETURN

Rate of return is the “on average” proportion of how much you will multiply your bet by, if you stay in the hand.

Rate of Return = Hand Strength / Pot Odds.

The base strategy we implement is to mostly stay in hands with a rate of return greater than 1.

THE FOLD/CALL/RAISE DECISION

For each round of betting the computer needs to decide if it is going to fold, call or raise (The FCR decision). Ignoring the question for the moment of how much to raise for now, then given a Rate of Return (RR), it’s possible to provide a very simple (yet useful) mapping between RR and FCR.

If RR < 0.8 then 95% fold, 0 % call, 5% raise (bluff)
If RR < 1.0 then 80%, fold 5% call, 15% raise (bluff)
If RR <1.3 the 0% fold, 60% call, 40% raise
Else (RR >= 1.3) 0% fold, 30% call, 70% raise
If fold and amount to call is zero, then call.

Don’t pay too much attention to the precise percentages listed above, the numbers will depend on the way you calculate your hand strength, and you’ll want to vary them depending on which betting round you are in. You will also want to vary these numbers to create players with different personalities.

Using this very simple mapping between the RR and the FCR decision can give you a surprisingly reasonable and entertaining player. They will tend to play strong hands, they will occasionally bluff, they won’t scare easy if their hand is good, and they will abandon weak hands when raised, and they will stick around on a reasonable chance of a flush or straight draw, making for entertaining gameplay.

The fact that none of the percentages is 100% is also important. That means you can never deduce the hand strength of your AI opponent based on their actions (unless they fold, where the information does not really help you). If they raise, then they could have any kind of hand strength – probably a good one, but it might be the 1 in 20 times when they are bluffing with a very weak hand.

STACK PROTECTION

The simple rules above work well when your stack of chips is large and the blinds are small. However as your stack shrinks and the blinds increase then the amount of money you need to commit to stay in a hand can become a very substantial proportion of your stack. Also, occasionally other players might go “all-in”, betting their entire stack of chips, so we need some logic to prevent the AI from making bad calls when short stacked.

Say you have AD, 2D and the flop is QC, KC, 2C. So you have a pair of twos, but there is a possible flush out there. There is $500 in the pot and the bet is $100 to stay in against two player, but it’s your last $100. The pot odds are 100/600 = 0.1666, your hand strength is 0.297, so your rate of return is about 1.8. So if you could play this situation over and over again you would make on average an 80% profit each time. However, it’s your last $100, and you have about a 70% chance of loosing everything. Don’t make that bet!

To handle this we can use a simple heuristic, along the lines of:

“If my proposed bet will substantially commit my stack, then don’t do it unless I have a strong chance of winning”

which might be implemented in part by:

“if (stack- bet) < (blind * 4) and (HS < 0.5) then fold”

Meaning if the call would leave you with less than four times the big blind, then don’t call unless you have a greater than 50% chance of winning.

Poker is a complex game, with a surprisingly large number of different types of situations like this that you have to handle somehow. I recommend you have as few special cases as possible, as it reduced the risk of an exploit being introduced into the game via some obscure special case. However, you should anticipate a number of heuristics (rules of thumb) being hard coded into the AI logic.

TESTING POKER AI

Playing a quick single table game of Texas Holdem takes around 30 minutes on average with human players. Ideally you would perform your testing by having human players play against the AI and trying to find problems with it. Unfortunately, due to the random hands being dealt, it’s very easy for one player to simply get lucky and win the game with sub-par logic, or even flawed logic. I’ve found it takes at least ten games to begin to get a clear picture of the qualities of an AI player, and more like a hundred games to be really sure. This often creates an unreasonably burden on the testing department, and introduces a very long delay in getting feedback on AI changes.

The solution is automated testing. The AI should be set up so that different variants of AI can play against each other in a very high speed set of games. You should also code a few simplistic poker AI’s into the mix, such as an AI that always goes all in, or another that simply always raises with a hand better than a pair of fives. Then you set your AI loose against these opponents, and make sure that it wins the appropriate percentage of games. If you coded your evaluation and simulation appropriately, then you should be able to simulate an entire game in about a second. (You might want to reduce the iterations of the simulation a bit to speed up testing).

The best use of your human testers is to try to get them to find an exploit of the AI, then you can codify this exploit into a temporary AI opponent to include in your test suite. You can then tweak your AI until it defeats the exploit, while still being able to defeat all the other (standard) opponents.

MORE WORK

What I’ve set out here is just a foundation for poker AI. By following the process laid out here you will get a reasonably strong and entertaining opponent. Here’s a quick list of the topics you might want to look into

• Pre-flop hand strength tables
• Opponent modeling.
• Implied Odds.
• Personality modeling
• Positional play
• Probabilistic search space
• Game theory and Nash Equilibrium.

RESOURCES:

– Sklansky, David, The Theory of Poker, 1999, Two Plus Two Publishing. – Provides various discussion of pot odds, implied odds, etc, with many heuristics that might be useful.
– The University of Alberta Computer Poker Research Group:
http://www.cs.ualberta.ca/~games/poker/ A number of research papers on implementing poker AI.
– Hold’em Killer, Evin Peretz, http://www.holdemkiller.blogspot.com/ – A blog on implementing poker AI.
– Poker-Eval, http://freshmeat.net/projects/poker-eval/ – A GPL Licensed poker hand evaluation library.

21 Comments »

  1. Hello, i am in college and i have been asked to programming a game. I like to understand your poker program design better. Isnt texas hold em plays 7 cards in total? Can i ask you few more questions in order to understand your poker AI design? Thank you

    Comment by Michael — January 27, 2009 @ 5:15 am

  2. It’s the best five card hand from seven cards, hence the hand evaluator takes sevens cards, and returns the hand value for the best five card hand, encoding the card values of the five cards used. The remaining two cards are ignored.

    Comment by Mick West — January 27, 2009 @ 7:34 am

  3. Hello, Thank you for reply. It is inspiring and I enjoyed programming AI Poker Player.

    I do not quite understand in Hand Strength section. To be more specific, in your Program Design Langauge line stating “Deal your opponent’s hole cards, and the remaining community cards”. Is the “remaining community cards” refer all flop, turn and river when I am playing flop? Or in Flop stage, you evaluate all players and a flop only to get HS and then after Turn, you evaluate player HS again with Turn card? and sames thing on River stage as you evaluate flop, turn, river cards to get HS?

    Thank you for your time

    Comment by Michael — February 20, 2009 @ 1:51 pm

  4. Michael, the “remaining community cards” does refer to ALL the remaining cards to be dealt. Basically you want to see what the final outcome is for any random shuffle.

    The number of “remaining community cards” will vary based on the stage of the game, first 5, then 2, then 1. As more cards are known, then you need to simulate less.

    Comment by Mick West — February 20, 2009 @ 2:47 pm

  5. Hi Mick,

    Thank you for reply.

    How AI determine the amount of chip to raise a bet? PotOdd * Stack?

    Mike

    Comment by Michael — February 24, 2009 @ 4:00 pm

  6. The raise calculation is another matter, depending on the position in the hand and the number of other players/callers, and also the amount of remaining chips you have. Have a look at some poker books for guidelines.

    Comment by Mick West — February 24, 2009 @ 4:13 pm

  7. It will be two player game. AI and human player. Which books is recommended or given me a formula to compute the amount of raise?

    Thank you

    Mike

    Comment by Michael — February 25, 2009 @ 6:47 am

  8. Hi,

    How ROR is calculated when the AI given an option of Bet, Check, Fold?

    Thank you

    M

    Comment by Michael — April 25, 2009 @ 7:02 am

  9. […] Programming Poker AI Article by the programmer of the AI for the World Series of Poker Game […]

    Pingback by Jucători de poker computerizaÅ£i | Jocuri de noroc ÅŸi pariuri — May 6, 2009 @ 5:15 am

  10. Hey mick, im writing a program that will simulate thousands/10’s of hands heads up, to see which rank higher, and then eventually add another hand/player, re-evaluate, then aadd another etc etc

    im having trouble coding the hand eval,
    how can i determine whether the Ace is used as ace high or ace low (royal flush, compared to 5 high straight?)

    any ideas?

    Comment by Pmaz — June 22, 2009 @ 10:48 pm

  11. if you were feeling like really inefficient, as (unfortunately) most coders are these days, you could assign each card two values, so 6 of hearts would be 6H,6H and Ace of spades would be 1H, 13H. Like I said though, inefficient. It wouldn’t be hard to write a short function to determine how (just check the other cards the player has) the ace could be used, and then if there are no doubles, triples, 4-of-a-kinds or straights, then set it as (ace high)
    I honestly don’t think the function could be that challenging. To increase flexibility, you could make the function have 5 input variables (or 7 for texas holdem) and put each card in when you reference it. That way it will be more useful if you ever want to do a similar project, or if you want to add functionality to this one later.

    Comment by 3m0k1D — June 27, 2009 @ 9:04 am

  12. The simplest way is, instead of having these two hand types enums:

    E_STRAIGHT
    E_STRAIGHTFLUSH

    have four

    E_STRAIGHT_ACELOW
    E_STRAIGHT_ACEHIGH
    E_STRAIGHTFLUSH_ACELOW
    E_STRAIGHTFLUSH_ACEHIGH

    Then you just a have a small amount of special case coding to determine the type, and the comparison will resolve itself (as E_STRAIGHT_ACEHIGH > E_STRAIGHT_ACELOW)

    This is the value that goes in the “Type” nibble in the diagram above.

    Comment by Mick West — June 27, 2009 @ 2:43 pm

  13. Wow! I used to play that game all the time back then, before i had the net.

    I remember going super aggressive versus the AI seemed to be the best way to go since I would get schooled playing passive.

    Although, I suppose that’s the same as real life eh?

    Comment by Steven — August 23, 2009 @ 10:42 pm

  14. I wonder how hard is it program a poker bot. I mean it shouldn’t be too hard in microlimits with lots of fish. All you have to do is sit and wait for a good hand and then raise. That way you wouldn’t get into too many marginal hands after the flop, so you would have to use any complex algorithms to determine, whether you should check/call/raise/fold.

    The bot would only play top pairs starting at JJ and AK preflop.

    Mick, I would very much like to get your opionion on this.

    Comment by WSOP — October 19, 2009 @ 5:03 am

  15. I notice that a number of people are saying that they would like to work in AI which is the same situation I am in. I literally have no experience with data extraction or stealthing.. If there was a collaborative effort being started, I would certainly be interested in getting involved.

    Comment by Poker guy — October 31, 2009 @ 12:24 am

  16. Remember the AI player is also the dealer. Another approach to AI would be to simply let him cheat. He knows what cards everyone is holding and what the community cards will be.

    Also, for anyone considering writing a poker game, lookup the Knuth shuffle algorithm. If you take a naive approach to dealing cards your simulations will give the wrong results

    Comment by Phil Ivey — November 6, 2009 @ 2:33 am

  17. Thanks for the tip on the Knuth algo! That’s helpful for our research.

    Comment by Erick — November 28, 2009 @ 5:11 am

  18. I am currently working on a php game for the poker. Your article really helps a lot. thanks! :)

    Comment by personalized playing cards — January 26, 2010 @ 7:55 am

  19. Very cool article, thanks. I’m a Flash games developer and I’ve looked into the idea of building a multi-player Holdem game using something like Electroserver or SmartFox server in the past, but I’d only ever considered it in terms of a multiplayer game. Now the idea of building a one player game with AI players sounds like a fun idea.

    Comment by Poker Bill — February 11, 2010 @ 12:46 am

  20. […] Cowboy Programming » Programming Poker AI I recently programmed the AI for the World Series of Poker, developed by Left Field Productions and published by Activision. I started out thinking it would be an easy task. But it proved a lot more complex than I initially thought. (tags: algorithm AI programming machine learning development) […]

    Pingback by EastZoneSoupCube - links for 2010-07-20 — July 20, 2010 @ 8:03 am

  21. […] del DivertimentoUna prima osservazione, a mio parere decisamente adatta e precisa, la fa Mick West su Cowboy Programming:“lo scopo di un intelligenza artificiale in questi casi è duplice. Il primo, importantissimo, è […]

    Pingback by Modelli di Intelligenza nel Poker – Indie Vault — December 13, 2010 @ 3:42 pm

RSS feed for comments on this post. TrackBack URL

Leave a comment

You must be logged in to post a comment.

Powered by WordPress