我有一个工作类,它在窗口上显示时间,但唯一的问题是当我将String变量设置为非静态时,它们根本不会更新,但是当我将String变量设为静态时,它们会更新他们自己。我不明白为什么会这样。代码如下:
public class Test extends Panel implements Runnable {
int second;
int minute;
int hour;
static String second_S = "1";
static String minute_S = "1";
static String hour_S = "1";
static JFrame frame = new JFrame("Clock");
static Test panel = new Test(500, 500, 1);
public static void main(String args[]) throws InterruptedException {
Thread time = new Thread(new Test());
frame.add(panel);
Frame.showFrame(frame);
time.start();
}
public void paintComponent(Graphics g) {
super.paintComponent(g);
g.setColor(Color.BLACK);
g.drawString(hour_S, 250, 250);
g.drawString(minute_S, 280, 250);
g.drawString(second_S, 310, 250);
}
public Test() {
second = 0;
minute = 0;
hour = 1;
}
public Test(int width, int length, int minusBy) {
super(width, length, minusBy);
}
@Override
public void run() {
while (true) {
try {
Thread.sleep(1);
second++;
if (second > 60) {
second = 1;
minute++;
}
if (minute > 60) {
minute = 1;
hour++;
}
if (hour > 12) {
hour = 1;
}
hour_S = Integer.toString(hour);
minute_S = Integer.toString(minute);
second_S = Integer.toString(second);
System.out.printf("%02d:%02d:%02d\n", hour, minute, second);
panel.repaint();
} catch (InterruptedException e) {
}
}
}
}
答案 0 :(得分:1)
您有两个Test
个实例:
static Test panel = new Test(500, 500, 1); // one which displays the values of the members
public static void main(String args[]) throws InterruptedException {
Thread time = new Thread(new Test()); // and another which updates the variables
frame.add(panel);
Frame.showFrame(frame);
time.start();
}
当您的成员是静态的时,两个实例共享相同的值。当您的成员不是静态时,更新值的实例与显示值的实例不同,并且每个实例都有自己的成员,因此panel
实例中的实例变量的值保持不变。 / p>
如果您使用相同的实例,您的代码将与非staticc成员一起使用:
static Test panel = new Test(500, 500, 1);
public static void main(String args[]) throws InterruptedException {
Thread time = new Thread(panel);
frame.add(panel);
Frame.showFrame(frame);
time.start();
}
答案 1 :(得分:0)
我看到你的代码有效,所以没有必要进入。我将快速解释为什么当您使用关键字“static”时会发生这种情况。
基本上当你使用static关键字时,它会使变量或方法成为父类的实例成员。
它使程序存储器有效(即节省内存)。
此外,它在类本身加载时被初始化。因此,在您的情况下,变量不会及时初始化以便声明和实现它。这就是为什么当你将变量设为静态时你会发现它有效。
有关详细信息,请This really does help!
希望这有助于回答您的问题。