Хорошо, игра в карты, которую я разрабатываю, очень похожа на Scopa, если кто-то это знает.
Колода содержит 40 карт, разделенных на 4 разных масти по 10 карт каждая (туз => значение 1, два => значение 2, три = ..., четыре, пять, шесть, семь, мошенник, королева, король => значение 10 ).
Есть 2 игрока (на самом деле ИИ и человек-игрок), и у них в руке 4 карты.
На столе есть 4 бесплатных карты, и игроки могут брать их только при соблюдении следующих правил:
1) Карты суда (мошенник, королева и король) могут брать только одинаковые карты суда (например, если у меня есть королева, я могу взять только королеву со стола).
2) Цифровые карты (от туза до семи) могут принимать одинаковые числовые карты или карты меньшего размера по сумме (например, если у меня есть семерка, я могу взять семерку или {туз, шесть} или {три, четыре } или {туз, три два}).
Теперь пришло время выяснить, какие карты ИИ может в итоге взять в свой ход:
private List<List<Card>> CalculateAITake()
{
List<Int32> handValues = new List<Int32>();
List<List<Card>> takes = new List<List<Card>>();
/* here i take every hand card value, in a unique way
* in order to avoid processing two or more times the
* same value
*/
foreach (Card card in m_AIHand)
{
Int32 cardValue = (Int32)card.Rank;
if (!handValues.Contains(cardValue))
handValues.Add(cardValue);
}
/* for each hand card value now, I calculate the
* combinations of cards I can take from table
*/
foreach (Int32 handValue in handValues)
{
// it's a court card, let's use a direct and faster approach
if (handValue >= 8)
{
foreach (Card card in m_CardsOnTable)
{
if ((Int32)card.Rank == handValue)
{
List<Card> take = new List<Card>();
take.Add(card);
takes.Add(take);
}
}
}
else
// it's a numeric card, let's use recursion
CalculateAITakeRecursion(takes, (new List<Card>(m_CardsOnTable)), 0, (new List<Card>()), handValue, 0);
}
return takes;
}
private void CalculateAITakeRecursion(List<List<Card>> takes, List<Card> cardsExcluded, Int32 cardsExcludedIndex, List<Card> cardsIncluded, Int32 sumWanted, Int32 sumPartial)
{
for (Int32 i = cardsExcludedIndex; i < cardsExcluded.Count; ++i)
{
Card cardExcluded = cardsExcluded[i];
Int32 sumCurrent = sumPartial + (Int32)cardExcluded.Rank;
/* the current sum is lesser than the hand card value
* so I keep on recursing
*/
if (sumCurrent < sumWanted)
{
List<Card> cardsExcludedCopy = new List<Card>(cardsExcluded);
cardsExcludedCopy.Remove(cardExcluded);
List<Card> cardsIncludedCopy = new List<Card>(cardsIncluded);
cardsIncludedCopy.Add(cardExcluded);
CalculateAITakeRecursion(takes, cardsExcludedCopy, ++cardsExcludedIndex, cardsIncludedCopy, sumWanted, sumCurrent);
}
/* the current sum is equal to the hand card value
* we have a new valid combination!
*/
else if (sumCurrent == sumWanted)
{
cardsIncluded.Add(cardExcluded);
Boolean newTakeIsUnique = true;
Int32 newTakeCount = cardsIncluded.Count;
/* problem: sometimes in my results i can find both
* { ace of hearts, two of spades }
* { two of spades, ace of hearts }
* not good, I don't want it to happens because there
* is still a lot of work to do on those results!
* Contains() is not enought to guarantee unique results
* so I have to do this!
*/
foreach (List<Card> take in takes)
{
if (take.Count == newTakeCount)
{
Int32 matchesCount = 0;
foreach (Card card in take)
{
if (cardsIncluded.Contains(card))
matchesCount++;
}
if (newTakeCount == matchesCount)
{
newTakeIsUnique = false;
break;
}
}
}
if (newTakeIsUnique)
takes.Add(cardsIncluded);
}
}
}
Как вы думаете, этот алгоритм может быть как-то улучшен?
Я пытаюсь сократить этот код настолько, насколько смогу, чтобы его можно было легко отлаживать и поддерживать ... также, если у кого-то есть более элегантное решение, позволяющее избежать дублирования комбинаций, я бы очень, очень признателен ( я не хочу получать оба (туз червей, две пики} и {две пики, туз червей} ... только один из них).
Большое, большое спасибо заранее!