Java访问Thread的类属性

时间:2017-06-15 05:59:49

标签: java multithreading

我用Java构建一个控制台游戏,它的工作原理如下:它会打印一个操作(例如:3 x 4),你必须编写结果(在这种情况下为12),它会给你操作在1分钟的时间内完成。

我从一开始就知道我必须使用线程来捕获用户输入,所以这就是线程的逻辑:

public class UserInput extends Thread {

    private int answer;

    @Override
    public void run() {
        Scanner in = new Scanner(System.in);
        while(true){
            answer = in.nextInt();
        }
    }

    public int getAnswer(){
        return answer;
    }
}

非常简单,现在是游戏的逻辑:

public static void play() {

    Game game = new EasyGame();     
    UserInput ui = new UserInput();     
    long beginTime = System.currentTimeMillis()/1000;

    ui.start();     
    boolean accepted = true;

    while(timeLeft(beginTime)){
        //PrintChallenge() prints an operation and store its result in game
        if(accepted) game.PrintChallenge();
        accepted = false;           
        if(ui.getAnswer() == game.getResult()) accepted = true;     
    }
}

//returns if current time is 60 seconds after initial time
public static boolean timeLeft(long time){      
    return (System.currentTimeMillis()/1000) < (time + 60);
}

但它不起作用,它根本不会将ui的getAnswer()与游戏的getResult()匹配。我在这个线程和游戏逻辑上做错了什么?

2 个答案:

答案 0 :(得分:1)

我认为你的问题是Java在本地缓存你的int的值,虽然它可能是由于你的game.getResult()中的某些东西,因为我无法检查这个。 java中的线程安全很困难。

确认:

  • 我构建了一个愚蠢的游戏版本,没有任何游戏逻辑或计时器。
  • 我在你的回答int中添加了一个volatile keyoword,这使得Java检查主内存而不是本地缓存中的int值。

用户输入&#34; 30&#34;后面的代码输出,删除&#34; volatile&#34;用户输入中的关键字导致您的情况。

见下文:

package stackOverflowTests;

import java.util.Scanner;

public class simpleGame {
    public static class UserInput extends Thread {

        volatile private int answer;

        public void run() {
            Scanner in = new Scanner(System.in);
            while(true){
                System.out.print("Answer meeee!:");
                answer = in.nextInt();
            }
        }

        public int getAnswer(){
            return answer;
        }
    }
    public static void play() throws InterruptedException {

        UserInput testInput = new UserInput();
        testInput.start();
        while(true){
            //PrintChallenge() prints an operation and store its result on game
            Thread.sleep(10);
            if(testInput.getAnswer()==30)System.out.println(testInput.getAnswer()+ " : "+(testInput.getAnswer()==10));
        }
    }

    public static void main(String[] args) throws InterruptedException{
        play();

    }
}

答案 1 :(得分:1)

 private int answer;

当您从不同的线程读取和写入变量时,此变量必须为volatile。否则,您需要同步对它的所有访问,包括读取和写入。