- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
在我的代码中,我有一个循环,等待某个状态从其他线程更改。另一个线程可以工作,但是我的循环从未看到更改过的值。 它会永远等待。 但是,当我在循环中放入System.out.println
语句时,它突然起作用了!为什么?
以下是我的代码示例:
class MyHouse {
boolean pizzaArrived = false;
void eatPizza() {
while (pizzaArrived == false) {
//System.out.println("waiting");
}
System.out.println("That was delicious!");
}
void deliverPizza() {
pizzaArrived = true;
}
}
deliverPizza()
来设置
pizzaArrived
变量。但是,只有当我取消注释
System.out.println("waiting");
语句时,循环才起作用。这是怎么回事?
最佳答案
允许JVM假定其他线程在循环期间不更改pizzaArrived
变量。换句话说,它可以将pizzaArrived == false
测试提升到循环之外,从而优化此功能:
while (pizzaArrived == false) {}
if (pizzaArrived == false) while (true) {}
volatile
:
volatile boolean pizzaArrived = false;
volatile
变量可确保不同的线程将看到彼此更改对其的影响。这样可以防止JVM缓存
pizzaArrived
的值或在循环外进行测试。相反,它必须每次都读取实变量的值。
volatile
在访问变量之间创建一个事前-事前关系。这意味着,在接收比萨饼的线程中,传递比萨饼之前的
all other work a thread did也可见,即使这些其他更改不是
volatile
变量也是如此。)
volatile
所具有的所有相同副作用。在读取和写入变量时使用它们是使更改对其他线程可见的另一种方法:
class MyHouse {
boolean pizzaArrived = false;
void eatPizza() {
while (getPizzaArrived() == false) {}
System.out.println("That was delicious!");
}
synchronized boolean getPizzaArrived() {
return pizzaArrived;
}
synchronized void deliverPizza() {
pizzaArrived = true;
}
}
System.out
是
PrintStream
对象。
PrintStream
的方法是这样同步的:
public void println(String x) {
synchronized (this) {
print(x);
newLine();
}
}
pizzaArrived
在循环期间被缓存。严格来说,
和两个线程必须在同一对象上同步,以确保对变量的更改是可见的。 (例如,在设置
println
之后调用
pizzaArrived
并在读取
pizzaArrived
之前再次调用它是正确的。)如果只有一个线程在特定对象上同步,则允许JVM忽略它。实际上,JVM不够聪明,无法证明其他线程在设置
println
后不会调用
pizzaArrived
,因此它假定它们可能会调用。因此,如果您调用
System.out.println
,它将无法在循环期间缓存变量。这就是为什么这样的循环在具有打印语句时才起作用的原因,尽管这不是正确的解决方法。
System.out
并不是导致这种效果的唯一方法,而是人们尝试调试其循环为何不起作用时最常发现的一种方法!
while (pizzaArrived == false) {}
是一个忙等待循环。那很糟!等待期间,它占用CPU,这会减慢其他应用程序的速度,并增加系统的电源使用,温度和风扇速度。理想情况下,我们希望循环线程在等待时 hibernate ,因此它不会占用CPU。
Object
:
class MyHouse {
boolean pizzaArrived = false;
void eatPizza() {
synchronized (this) {
while (!pizzaArrived) {
try {
this.wait();
} catch (InterruptedException e) {}
}
}
System.out.println("That was delicious!");
}
void deliverPizza() {
synchronized (this) {
pizzaArrived = true;
this.notifyAll();
}
}
}
wait()
,使线程进入休眠状态。 hibernate 时将不使用任何CPU周期。在第二个线程设置变量之后,它将调用
notifyAll()
唤醒正在该对象上等待的所有线程。这就像让比萨饼人按门铃一样,因此您可以在等待时坐下来休息,而不必笨拙地站在门口。
this
(
MyHouse
的实例)。通常,两个线程将无法同时输入同一对象的同步块(synchronized block)(这是同步目的的一部分),但是它在这里起作用,因为一个线程在
wait()
方法内部时会暂时释放同步锁。
BlockingQueue
用于实现生产者-消费者队列。 “消费者”从队列的最前面取物品,“生产者”在队列的最后面取物品。一个例子:
class MyHouse {
final BlockingQueue<Object> queue = new LinkedBlockingQueue<>();
void eatFood() throws InterruptedException {
// take next item from the queue (sleeps while waiting)
Object food = queue.take();
// and do something with it
System.out.println("Eating: " + food);
}
void deliverPizza() throws InterruptedException {
// in producer threads, we push items on to the queue.
// if there is space in the queue we can return immediately;
// the consumer thread(s) will get to it later
queue.put("A delicious pizza");
}
}
put
的
take
和
BlockingQueue
方法会抛出
InterruptedException
,这是必须处理的检查异常。在上面的代码中,为简单起见,重新抛出了异常。您可能希望在方法中捕获异常,然后重试put或take调用以确保成功。除了这一点之外,
BlockingQueue
非常易于使用。
BlockingQueue
确保将线程放入队列之前执行的所有操作对于将这些线程取出的线程都是可见的。
Executor
类似于执行任务的现成的
BlockingQueue
。例子:
// A "SingleThreadExecutor" has one work thread and an unlimited queue
ExecutorService executor = Executors.newSingleThreadExecutor();
Runnable eatPizza = () -> { System.out.println("Eating a delicious pizza"); };
Runnable cleanUp = () -> { System.out.println("Cleaning up the house"); };
// we submit tasks which will be executed on the work thread
executor.execute(eatPizza);
executor.execute(cleanUp);
// we continue immediately without needing to wait for the tasks to finish
Executor
,
ExecutorService
和
Executors
的文档。
JLabel label = new JLabel();
JButton button = new JButton("Click me");
button.addActionListener((ActionEvent e) -> {
// This event listener is run when the button is clicked.
// We don't need to loop while waiting.
label.setText("Button was clicked");
});
BlockingQueue
或
Executor
)调度到等待的线程。您还可以使用为此专门设计的
SwingWorker
,并自动提供一个后台工作线程:
JLabel label = new JLabel();
JButton button = new JButton("Calculate answer");
// Add a click listener for the button
button.addActionListener((ActionEvent e) -> {
// Defines MyWorker as a SwingWorker whose result type is String:
class MyWorker extends SwingWorker<String,Void> {
@Override
public String doInBackground() throws Exception {
// This method is called on a background thread.
// You can do long work here without blocking the UI.
// This is just an example:
Thread.sleep(5000);
return "Answer is 42";
}
@Override
protected void done() {
// This method is called on the Swing thread once the work is done
String result;
try {
result = get();
} catch (Exception e) {
throw new RuntimeException(e);
}
label.setText(result); // will display "Answer is 42"
}
}
// Start the worker
new MyWorker().execute();
});
java.util.Timer
。它比编写自己的定时循环更容易使用,并且更容易启动和停止。该演示每秒打印一次当前时间:
Timer timer = new Timer();
TimerTask task = new TimerTask() {
@Override
public void run() {
System.out.println(System.currentTimeMillis());
}
};
timer.scheduleAtFixedRate(task, 0, 1000);
java.util.Timer
都有其自己的后台线程,该线程用于执行其计划的
TimerTask
。自然地,线程在任务之间 hibernate ,因此它不会占用CPU。
javax.swing.Timer
,它类似,但是它在Swing线程上执行监听器,因此您可以安全地与Swing组件进行交互,而无需手动切换线程:
JFrame frame = new JFrame();
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
Timer timer = new Timer(1000, (ActionEvent e) -> {
frame.setTitle(String.valueOf(System.currentTimeMillis()));
});
timer.setRepeats(true);
timer.start();
frame.setVisible(true);
关于java - 没有打印语句,循环看不到其他线程更改的值,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/39859524/
我一直在尝试处理一个类项目,在该项目中我必须设置一个面向 GUI 的转换程序,并且我试图将数据从我的类的方法传递到 ActionListener,但监听器是告诉我文本字段不存在。它位于同一个包和类中,
我在服务器上有两个版本的 PHP(Centos 6.8) - 5.6 和 7.1 我的 Nginx 使用 php7.1,它不是默认的 PHP 解释器。 经过一番与 yum 的斗争后,我安装了 php7
我正在尝试为 BEAGLE 安装 OpenCL .首先,我下载了 intel_sdk_for_opencl_applications_2020.3.494.tar.gz 来自 here .然后我解压并
我想知道为什么我在 controlPanel 中看不到 topPanel 这是我的代码: import java.awt.BorderLayout; import java.awt.Color; im
在我的 urls.py 中,我有以下内容: urlpatterns = patterns('', # Examples: #url(r'^$', 'welcome_page.home'
非常感谢大家的帮助! 在 GetProductByID 下,我收到一条错误消息“int does not contain a definition for FirstOrDefault”。 using
1) 我已经通过 my computuer -> System variables; 设置了变量 CLASSPATH 2) 重新启动控制台并键入 echo %CLASSPATH%,CLASSPATH
我已经看过这篇文章了PHP doesn't see mysql extension ,但这对我没有帮助。 我使用: Windows Seven(在虚拟机中为 32 位,在真实电脑上为 64 位) 带
当我尝试通过输入 python3 来验证 Python3 是否可以看到 Django 时其次是 import django进入终端(这样我就可以打印 Django 的版本号),我得到以下错误: Tra
我已经使用 easy_install 安装了 pygraphviz但是当我启动 python 时出现错误: >>>import pygraphviz as pgv Traceback (most re
在向 Microsoft 报告之前,我想在这里问一下。我有一个问题,我无法看到我的 WinUI 3 应用程序的实时可视化树。我什至看不到应用程序内工具栏。我可以在 WPF 和 UWP 应用程序中看到,
我对缺乏基本的了解和 内。 我希望看到 39 个 svg 子元素,100 像素高,每个子元素中都有清晰的文本。 http://jsfiddle.net/pn5sj8ge/ 最佳答案 发生这种情况的原因
我正在尝试设置一个新的持续集成服务器,该服务器利用 Phing 和 PHPUnit 自动运行测试用例。 我已经用 Pear 安装了 Phing: pear channel-discover pear.
lua -e "print(package.path)" ./?.lua;/usr/share/lua/5.1/?.lua;/usr/share/lua/5.1/?/init.lua;/usr/lib
我刚刚从 https://github.com/llvm/llvm-project.git 安装了 clang++ 和 libc++ .尝试运行时: clang main.cpp -stdlib=li
我一直在使用 Highstock 图表,我注意到当图表中有很多点时,无法使用工具提示查看最后一个点: 您可以看到工具提示显示了 5 月 9 日的点,而还有一个显示 5 月 10 日的点(正如您在范围选
This question already has answers here: error_log message is truncated when using print_r (5个答案) 1年前
我在编写 Selenium 测试来检查我的应用程序时遇到问题。我想测试的是,当用户输入正确的登录名/密码时,会显示正确的页面并且用户已登录。 主要问题是我的登录表单是作为 AngularJS 指令生成
我正在尝试在 Azure 服务上发布我的 ASP.NET Core 应用程序。这有效,但是当我尝试使用应用程序功能时,我收到消息 Your App Service app is up and runn
在我的 ionic 应用程序中,我有一个功能,用户应该在应用程序的导航栏中看到水平点线,单击它们,然后应该出现一个弹出菜单,其中包含两个菜单项(添加到收藏夹并添加评论)。下图说明了我的观点。 问题是这
我是一名优秀的程序员,十分优秀!