二十一点游戏甲板类麻烦

本文关键字:麻烦 十一点 游戏 二十一 | 更新日期: 2023-09-27 18:32:31

我正在创建一个二十一点游戏,到目前为止我已经制作了一个纸牌类,我开始制作一个甲板类,但我不确定如何使用从数组中获取的值设置卡片。此外,我必须使用我的甲板类中的数组来执行此操作。

任何帮助将不胜感激

这是我到目前为止的甲板课

class Deck
{
    private const Int32 MAXCARDS = 52;
    private Card[] _cards = new Card[MAXCARDS];
    Card.SUIT[] suits = { Card.SUIT.SPADES, Card.SUIT.HEARTS, Card.SUIT.DIAMONDS, Card.SUIT.CLUBS };
    String[] values = { "A", "2", "3", "4", "5", "6", "7", "8", "9", "10", "J", "Q", "K" };
    public Card()
    {
    }
    public Card GetCard(Int32 index)
    {
    }
    public Card SetCard(Int32 index, Card Card)
    {
    }
}

}

二十一点游戏甲板类麻烦

为了不破坏整个动作,请专注于您挣扎的地方,并尝试在没有帮助的情况下进一步编码:)

 class Card
 {
     public enum SUIT { SPADES, HEARTS, DIAMONDS, CLUBS };
     public string Value {get; set;}
     public SUIT Suit { get; set; }
     public Card(SUIT suit, string value)
     {
         this.Suit = suit;
         this.Value = value;
     }
 }
 class Deck
 {
     private const Int32 MAXCARDS = 52;
     private Card[] _cards = new Card[MAXCARDS];
     public Deck()
     {
         Card.SUIT[] suits = { Card.SUIT.SPADES, Card.SUIT.HEARTS, Card.SUIT.DIAMONDS, Card.SUIT.CLUBS };
         String[] values = { "A", "2", "3", "4", "5", "6", "7", "8", "9", "10", "J", "Q", "K" };
         Random rnd = new Random();
         Card[] orderedCards = new Card[suits.Length * values.Length];
         int newIndex = 0;
         // Generate an array with all possible combinations of suits and values
         for (int suitsIndex = 0; suitsIndex < suits.Length; suitsIndex++)
         {
             for (int valuesIndex = 0; valuesIndex < values.Length; valuesIndex++)
             {
                 newIndex = values.Length * suitsIndex + valuesIndex; // Think about it :)
                 orderedCards[newIndex] = new Card(suits[suitsIndex], values[valuesIndex]);
             }
         }
         // Generate an array with random numbers from 0 51 (taken from http://stackoverflow.com/questions/5864921/how-can-i-randomize-numbers-in-an-array)
         int[] randomNumbers = Enumerable.Range(0, this._cards.Length).OrderBy(r => rnd.Next()).ToArray();
         // Now go from 0 to 51 and set a card to a random element of the orderedCards array
         for (int i = 0; i < _cards.Length; i++)
         {
             this._cards[i] = orderedCards[randomNumbers[i]];
             Console.WriteLine("Card " + i + " = " + _cards[i].Suit.ToString() + " - " + _cards[i].Value.ToString());
         }
     }
 }