我创建了一个子线程,现在我想从子线程向主线程发送一些消息。我怎么能这样做?
答案 0 :(得分:7)
在您创建的主题中,您需要引用正在尝试将消息(方法调用)发送到的线程。
即
MainClass.java:
public class MainClass implements Runnable
{
private Queue<String> internalQueue;
private boolean keepRunning;
public MainClass()
{
keepRunning = true;
internalQueue = new Queue<String>();
}
public void queue(String s)
{
internalQueue.add(s);
this.notify();
}
public void run()
{
// main thread
// create child thread
Runnable r = new YourThread(this);
new Thread().start(r);
// process your queue
while (keepRunning) {
// check if there is something on your queue
// sleep
this.wait();
}
}
public static void main(String[] args)
{
MainClass mc = new MainClass();
mc.run();
}
}
YourThread.java
public class YourThread implements Runnable
{
private MainClass main;
public YourThread(MainClass c)
{
this.main = c;
}
public void run()
{
// your thread starts here
System.out.println("Queue a message to main thread");
main.queue("Hi from child!");
}
}
答案 1 :(得分:4)
使用Callable
界面代替Runnable
答案 2 :(得分:1)
线程之间没有父子关系。
一个线程可以产生另一个线程,一旦产生,这两个线程彼此独立。
请通过发送消息告诉我们您的意思。这可以涵盖广泛的用例,每个用例都有最佳实现。
例如,如果要同步2个线程,可以继续使用简单的等待/通知机制。为此,您必须在2之间共享一个对象。
如果要在衍生线程中计算值并将其传回,则可以使用队列。但是您还必须告诉我们更多关于2个线程的执行是如何相关的,以便我们可以建议实现它的适当方式。 (如生产者 - 消费者机制)
答案 3 :(得分:0)
使用优先级队列作为父(主线程)和子线程通信的对象。 儿童可运行的定义
class CommunicationThead implements Runnable{
Queue<String> commQueue=null;
CommunicationThead(Queue<String> q){
super();
this.commQueue=q;
}
public void run(){
try {
Thread.sleep(10000);
} catch (InterruptedException e) {
System.out.println("child :interuppted on sleep");
}
synchronized(commQueue){
if(commQueue!=null)
{
commQueue.add("Yo");
System.out.println("message added by child");
}
commQueue.notifyAll();
}
}
}
调用子runnable(在main()中调用) 主线程等待它收到来自子线程的消息
Queue<String> q=new PriorityQueue<String>();
Thread child=new Thread(new CommunicationThead(q));
child.start();
boolean msgReceived=true;
while(msgReceived){
synchronized(q){
if(q.isEmpty())
{
try {
System.out.println("parent: queue empty | parent waiting");
q.wait(1000);
} catch (InterruptedException e) {
System.out.println("parent wait interrupted");
}
}
else{
System.out.println("parent found message :"+q.poll());
msgReceived=false;
}
}
}
答案 4 :(得分:0)
public class MyClass {
private MyInterface delegate;
public void setDelegate(MyInterface delegate) {
this.delegate = delegate;
}
// this will be performed in a background thread
public void doStuff() {
Future<String> future = Executors.newSingleThreadExecutor().submit(new Callable<String>() {
@Override
public String call() throws Exception {
return "hello world";
}
});
delegate.handleResponse(future.get());
}
}
public interface MyInterface {
void handleResponse(String value);
}
public class MainClass implements MyInterface {
public static void main(String[] args) {
MyClass myClass = new MyClass();
myClass.setDelegate(this);
myClass.doStuff();
}
@Override
public void handleResponse(String value) {
// this will be on the main thread
System.out.println(value);
}
}