Как преобразовать числа в буквы внутри оператора Console.WriteLine()
Ниже приведена игра "Криббедж", над которой я работал. Я пришел к элементарной блокаде, которую, похоже, не могу преодолеть.
В этом разделе кода я не могу найти способ преобразовать числа, поступающие из моего массива, в лица и костюмы, которым они соответствуют.
Console.WriteLine("A " + deck[Game.DrawCard(deck), 0] + " of " + deck[Game.DrawCard(deck), 1] + " was drawn from the deck and then placed on top");
Я смутно представляю себе маршрут, использующий длинный ряд переменных и операторов if, но я действительно сомневаюсь, что не существует очевидного и гораздо более простого способа.
Остальная часть кода выглядит так
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace CribbageInCSharp
{
class Program
{
static void Main(string[] args)
{
//Variables//
int currentPlayer;
short score1 = 0;
short score2 = 0;
short round = 1;
int[,] deck = new int[52, 2];
Console.WriteLine("Welcome" + "\r" + "\r" + "Enter Number of Players (Only 2 player mode works right now)");
while ((Console.ReadLine() != "2"))
{
Console.WriteLine("Only two player is working right now \n Make sure you are entering a number between 1-3 \n");
}
//A flip is made to determine who goes first//
currentPlayer = Game.CoinFlip();
Console.WriteLine("A coin was flipped and it was determined that player " + currentPlayer + " will go first \n");
//Game.PrintDeck(deck);
//Now the game is started//
do
{
Console.WriteLine("Shuffling and dealing cards...");
System.Threading.Thread.Sleep(5000);
Game.InitDeck(deck);
Console.WriteLine("Round " + round + "\n");
//Cutting the Deck now that discarding has been done//
Console.WriteLine("Cutting the deck... \n");
System.Threading.Thread.Sleep(2000);
Console.WriteLine("A " + deck[Game.DrawCard(deck), 0] + " of " + deck[Game.DrawCard(deck), 1] + " was drawn from the deck and then placed on top"); //Insert a swtich statement to convert pairs of numbers into actual cards
//Player 2's turn is started now that the cut is over//
Console.WriteLine("");
//pick up here
Console.WriteLine("Player " + currentPlayer + " ");
round++;
} while ((score1 < 121) && (score2 < 121)); //Loops until either score exceeds 121 points//
}
}
class Game //Used for functions neccesary to the function of the game that are not neccesarily dependant on turn order and do not create win conditions.
{
public static int CoinFlip() //Flips to see who goes first, results are between 1-2
{
var rnd = new Random(DateTime.Now.Millisecond);
int firstPlayer = rnd.Next(1, 3);
return (firstPlayer);
}
public static void InitDeck(int[,] deck) // First column 11==Jack, 12==queen, 13==king && Second Column 0==diamonds, 1==clubs, 2==spades, 3==hearts
{
//Initiallizing the first column==Faces
for (int i = 0; i < 4; i++)
{
deck[i, 0] = 13;
deck[(i + 4), 0] = 12;
deck[(i + 8), 0] = 11;
deck[(i + 12), 0] = 10;
deck[(i + 16), 0] = 9;
deck[(i + 20), 0] = 8;
deck[(i + 24), 0] = 7;
deck[(i + 28), 0] = 6;
deck[(i + 32), 0] = 5;
deck[(i + 36), 0] = 4;
deck[(i + 40), 0] = 3;
deck[(i + 44), 0] = 2;
deck[(i + 48), 0] = 1;
}
//Initiallizing second column==Suit
for (int i = 0; i < 4; i++)
{
deck[i, 1] = i;
deck[(i + 4), 1] = i;
deck[(i + 8), 1] = i;
deck[(i + 12), 1] = i;
deck[(i + 16), 1] = i;
deck[(i + 20), 1] = i;
deck[(i + 24), 1] = i;
deck[(i + 28), 1] = i;
deck[(i + 32), 1] = i;
deck[(i + 36), 1] = i;
deck[(i + 40), 1] = i;
deck[(i + 44), 1] = i;
deck[(i + 48), 1] = i;
}
}
public static void PrintDeck(int[,] deck)
{
for (int i = 0; i < 52; i++)
{
Console.WriteLine(deck[i, 0] + "F");
Console.WriteLine(deck[i, 1] + "S");
}
Console.ReadLine();
}
public static int DrawCard(int[,] deck) //Draws a card from the deck, ignoring Cards already drawn this turn. IF THERE ARE ANY ERRORS COME HERE AND CHECK THIS FIRST
{
var rnd = new Random(DateTime.Now.Millisecond);
int o = rnd.Next(0, 51);
while (deck[o,0]==0)
{
System.Threading.Thread.Sleep(1000);
rnd = new Random(DateTime.Now.Millisecond);
o = rnd.Next(0, 51);
}
int drawnCard = o;
deck[o, 0] = 0;
return (drawnCard);
}
}
}
У меня также было ощущение, что массив для колоды карт, возможно, не был самым умным решением против списка, но я не уверен.
Я действительно извиняюсь. В то время как другим может показаться очевидным, что моя тема уже была рассмотрена, мое ограниченное понимание C# не позволяет мне интерпретировать любые ответы из любых постов, которые я опубликовал за последний час или около того. Я пытаюсь выучить C#, программируя простую игру через консольное окно, так я узнал, что у меня есть в C++.
Заранее спасибо за чью-либо помощь. Я действительно ценю это!
3 ответа
Прежде всего, я бы хранил перемешанные карты в List
или даже лучше Queue
, Это позволяет просто "снять" карту из колоды.
Чтобы получить карты и комплекты, я бы создал два перечисления:
public enum Rank
{
Ace,
Two,
Three,
...
}
public enum Suits
{
Hearts,
Spades,
...
}
Теперь вы определяете свои карты так, что 0 = aH, 1 = 2H, 13 = aS и так далее.
Теперь вы можете сделать это:
public Rank GetRankForCard(int card)
{
return (Rank)(card % 13);
}
public Suit GetSuitForCard(int card)
{
return (Suit)(card / 13);
}
Оператор% (модуль) действительно полезен здесь. В заключение отметим, что cribbage не является простой для реализации игрой (я сделал это сам в WPF), так что удачи!
Что я получил в своем комментарии:
Dictionary<int, string> Cards = new Dictionary<int, string>
{
{1, "Ace" },
{2, "Two"}
//etc
};
Dictionary<int, string> Suits = new Dictionary<int, string>
{
{1, "Hearts"},
{2, "Clubs"}
//etc
};
И используйте это как:
Console.WriteLine("A {0} of {1} was drawn from the deck and then placed on top",
Cards[deck[Game.DrawCard(deck), 0]],
Suits[deck[Game.DrawCard(deck), 0]]);
Гораздо лучше использовать форматированную строку, а не конкатенацию строк, когда вам нужно объединить строки. И производительность и удобочитаемость лучше.
Вы можете использовать оператор switch, что-то вроде:
string suit = String.Empty;
switch(SuitIndex)
{
case 1:
suit = "Diamonds";
break;
case 2:
suit = "Clubs";
break;
case 3:
suit = "Hearts";
break;
case 4:
suit = "Spades";
break;
}