2

我想提供一个 4 人骰子游戏的实现,其中每个玩家都被实现为一个线程。每个玩家都有机会按照玩家编号的顺序掷骰子。每个投掷骰子只返回一个数字 1 到 6。每当任何玩家得分 25 分或更多时,游戏就会停止打印获胜玩家。

我正在考虑创建课程

处理骰子的骰子

用于处理所有线程和玩家分数

TheGame 开始游戏

我的班级骰子

import java.util.Random;

public class Dice {
Random dice;
public Dice()
{
dice=new Random();
}

public int throwDice()
{
    int a= dice.nextInt(70);
    a=a/10;
    if (a==0)
        return 1;
    else return a;
}

}

我的球员班

public class Player extends Thread {
Board board;
int num;
public Player(Board b,int n)
{
board=b;
num=n;
}
public void run()
{
System.out.println("Player "+num+" is started, playing game...");
while(board.flag)
{
board.play(num);    
}
}
}

游戏课

public class TheGame {


    public static void main(String[] args) {
        System.out.println("Initializing board...");
        Board b=new Board();  //Creating object of class board
        System.out.println("Initializing players...");
        Player p1=new Player(b,1); // Every player is Thread
        Player p2=new Player(b,2);
        Player p3=new Player(b,3);
        Player p4=new Player(b,4);
        p1.start(); //Starting Thread
        p3.start();
        p2.start();
        p4.start();
    }

}

我无法思考逻辑或决定在课堂上从哪里开始。请帮我看板代码

这不是作业或家庭作业。我想自己做,但对线程中的同步没有任何深入的了解

我正在尝试编写代码,我不是在问完整的教程,我只是在问当玩家 1(线程)在玩家 1 完成他的机会后执行时我如何设置顺序。

4

1 回答 1

3

这只是为您指明正确的方向。你需要阅读比我在这里写的更多的东西。然后,您需要修复各种奇怪且无法重现的错误。但你确实问...

我认为如果所有 4 名玩家同时投掷,它会简单得多,也更有趣。(尽管您可能有不止一个赢家。)要做到这一点:

创建全局监视器和字段(可能在 Game 类中):

public static final turnMonitor = new Object();
public static final controlMonitor = new Object();
public static volatile gameOn = true;

然后创建一个带有 run 方法的 Player 类。(Player 可以扩展 Thread,也可以扩展 Runnable,你可以将它传递给一个新的 Thread。)像这样:

public void run()  {
    while (gameOn)  {
        synchronized (turnMonitor)  { turnMonitor.wait(); }
        ...roll dice here...
        ...Put sum of Player rolls in volatile instance field or synched field...
        ...Update volatile player turn counter...
        synchronized (controlMonitor)  {
            // Tell control monitor we're done.
            controlMonitor.notifyAll();
        }
    }
}

然后你会想要控制代码(在 Game 类中?):

while (true)  {
    // Roll dice
    synchronized (turnMonitor)  { turnMonitor.notifyAll(); }
    // Wait for dice to roll
    do  {
        synchronized (controlMonitor)  { controlMonitor.wait(); }
    }  while ( ...not all players have rolled this turn... );
    if ( there's a winner )  break;
}
gameOn = false;

这应该给你一个开始。学习同步、易失性、wait() 和 notifyAll()。如果您在任何地方都找不到好的示例,请查看此处(了解基础知识)。

启动时,打印大量调试消息。当您不希望它们运行时,线程总是在运行。你感到惊讶。

为了让玩家一次滚动一个,我认为您需要多个转弯监视器。您一次只能通知一个等待线程,但您无法控制通知哪个线程,因此尝试从一台监视器上获取正确的线程会很困难。

于 2013-07-24T17:27:08.700 回答