因此,这是我第一次使用Java Eclipse Mars进行编码,而我们正在进行一项活动。该活动是为了模拟两个玩家的纸牌游戏。我们称它们为P1和P2。要求是
第一:创建52张卡片的套牌
第二:创建一种洗牌的方法,
第三:将卡片交替分配给P1和P2,直到它们各自都拥有26张卡片。
第四:P1和P2是从各自的牌堆中抽出一张牌,然后将它们的牌相互比较以查看谁拥有更高的牌。
第五:获胜者将两张牌都拿到自己的牌堆中。当玩家的牌堆中的牌用完时,游戏结束。
我现在完成的部分是第三部分。现在我需要知道的是如何为这些卡分配值,以便进行比较部分。
只会放一些必要的代码。由于我的编码太乱了。
String[] CurrentDeck = new String[52];
// This array contains the deck of cards to be distributed to each player
// This contains elements in this format:: "D-A", "D-K", "D-Q", "D-J", "D-10", "D-9", "D-8", "D-7", "D-6", "D-5", "D-4", "D-3", "D-2",... and so on.
String[] Pile1 = new String[52];
String[] Pile2 = new String[52];
// These represent the pile of cards for Player 1 and 2 respectively.
// They both start with 26 cards each.
// The reason they are 52 in size is because their pile can have 52 cards in it since
//获胜会使您获得在同一回合中比较过的两张牌。
我已经正确地将卡片分配到两堆
桩1 [0]和桩2 [0]都是各自桩的顶牌。
现在该让两个玩家抽出自己的头牌并进行比较了。
这就是问题所在。我不知道如何将价值放入卡片中供他们比较。以及如何从该回合的失败者那里获得卡牌并将两张卡牌放入获胜者的牌组中。
顺便说一下,这就是游戏的运作方式。
比较首先针对卡片IE,2-10,A,K,Q,J的等级进行
由于5> 3,S-5击败D-3
当卡片的等级相同时,进行第二次比较。现在我们比较一下IE Diamond,Heart,Spade,Club的花色。
D-5击败S-5,因为D> S
所以在此先感谢任何可以给我任何想法的人:)
最佳答案
虽然这不是我的第一个建议,但我在下面编写了一些适合您的情况的代码。这将为卡返回一个整数值,您只需检查该整数值是较高还是较低。
public static int checkValue(String card)
{
String[] name = card.split("-");
switch(name[1])
{
case "J":
return 11;
case "Q":
return 12;
case "K":
return 13;
case "A:
return 1;
default:
return Integer.parseInt(name[1]);
}
}
我个人会为该卡创建一个全新的类,但是如果您刚开始使用Java,则可能会有些混乱,因为我猜您只是习惯于使用一个类。
对于“以及如何从本轮失败者那里获得卡牌并将两张卡牌放入获胜者的牌组中”,您可以执行以下操作:
String winCardsP1 = "", winCardsP2 = "";
// ...
// When a player wins
winCardsP1 += Pile2[i] + " ";
// OR
winCardsP2 += Pile1[i] + " ";
// ...
// Then to create the final array...
Pile1 = winCardsP1.split(" ");
Pile2 = winCardsP2.split(" ");
// This will make a new array with all the cards they won.
// You will have to adjust your loop in order to compensate
// looping through the decks each time, and when they have no cards they lose.
// The '...' stands for code in between the assignments.