有几种方法可以在线程之间进行通信。使用最常见的方法,您可以使用实例变量在线程之间共享信息,但您必须注意只从一个线程写入或同步对共享变量的任何更新。或者,您可以使用为线程间通信或在线程之间传递原始数据而设计的管道 I/O 流。一个线程将信息写入流,而另一个线程读取它。
这是一个示例方法,它将从慢速网络连接读取输出并使用线程将其转储到 System.out。
public void threads() throws IOException {
final PipedOutputStream outputForMainThread = new PipedOutputStream();
new Thread(new Runnable() {
@Override
public void run() {
while(moreDataOnNetwork()) {
byte[] data = readDataFromNetwork();
try {
outputForMainThread.write(data);
} catch (IOException e) {
e.printStackTrace();
}
}
}
}).start();
BufferedReader reader = new BufferedReader(new InputStreamReader(new PipedInputStream(outputForMainThread)));
for(String eachLine = reader.readLine(); eachLine != null; eachLine = reader.readLine()) {
System.out.println(eachLine);
}
}
但是,听起来您几乎想要一种事件回调机制,其中一个线程(您的用户界面线程)在另一个线程检测到特定条件时得到通知。根据您的平台,其中大部分内容都已包含在内。例如,使用 Android,您可以有一个线程来确定网格实体已移动。它将向主用户界面线程发送更新以重新绘制屏幕。这样的更新可能类似于:
public void gridEntityDidUpdate(final Point fromLocation, final Point toLocation) {
Activity activity = getMainActivity();
activity.runOnUiThread(
new Runnable() {
@Override
public void run() {
updateScreen(fromLocation, toLocation);
if(pointsAreCoincedent(fromLocation, toLocation)) {
System.out.println("Hello there!");
}
}
}
);
}
private void updateScreen(Point fromLocation, Point toLocation) {
//Update the main activity screen here
}
在这种情况下,您有一个后台线程来计算所有屏幕上元素的位置,并在元素位置发生变化时通知主线程。有一种提取方法可以确定 2 个点是否重合或相同。