6

例如,我想在 Jython 中重现此线程,因为我需要从 Java API 启动我的状态机。我对Jython没有太多了解。我怎样才能做到这一点?

Thread thread = new Thread() {
    @Override
    public void run() {
        statemachine.enter();
        while (!isInterrupted()) {
            statemachine.getInterfaceNew64().getVarMessage();
            statemachine.runCycle();
            try {
                Thread.sleep(100);
            } catch (InterruptedException e) {
                interrupt();
            }
       }            
    }
};
thread.start();

所以我正在尝试这样的事情:

class Cycle(Thread, widgets.Listener):
    def run(self):
        self.statemachine = New64CycleBasedStatemachine()
        self.statemachine.enter()
        while not self.currentThread().isInterrupted():
            self.statemachine.getInterfaceNew64().getVarMessage()
            self.statemachine.runCycle()
            try: 
                self.currentThread().sleep(100)
            except InterruptedException: 
                self.interrupt()
        self.start()

foo = Cycle()
foo.run()
#foo.start() 

PS:我已经尝试过 foo.run() 下的评论

我究竟做错了什么?

4

1 回答 1

2

好吧,撇开您start()从方法内部调用该方法这一事实不谈run(),这是一个非常糟糕的主意,因为一旦启动线程,如果您尝试再次启动它,您将得到一个线程状态异常,撇开这一点不谈,问题很可能是您使用的是 Jython 线程库而不是 Java 的。

如果您确保按如下方式导入:

from java.lang import Thread, InterruptedException

代替

from threading import Thread, InterruptedException

如果你纠正了我上面提到的问题,你的代码很可能运行得很好。

使用 Jython 的threading库,您需要稍微更改代码,有点像:

from threading import Thread, InterruptedException
import time

class Cycle(Thread):
    canceled = False

    def run(self):
        while not self.canceled:
            try:
                print "Hello World"
                time.sleep(1)
            except InterruptedException:
                canceled = True

if __name__ == '__main__':
    foo = Cycle()
    foo.start()

这似乎对我有用。

于 2012-07-13T20:54:20.857 回答