4

さて、私はBlenderのアドオンを書き込もうとしていて、n秒ごとに何かをする必要がありますが、blenderがフリーズするため、whileループを使用できません!!! 私は何をしますか?

4

4 に答える 4

2
from threading import Timer

def doSomeThings():
    print "Things are being done"

t = Timer(5.0, doSomeThings)  # every 5 seconds
t.start()
于 2012-11-01T17:41:17.990 に答える
1

Blender APIドキュメントの「スレッド」モジュールを使用した奇妙なエラーから:

Blenderを使用したPythonスレッドは、スクリプトが完了する前にスレッドが終了した場合にのみ正しく機能します。たとえば、threading.join()を使用します。

:Pythonスレッドは共通貨のみを許可し、マルチプロセッサシステムでスクリプトを高速化しません。サブプロセスおよびマルチプロセスモジュールはblenderで使用でき、複数のCPUも使用できます。

from threading import Thread, Event

class Repeat(Thread):
    def __init__(self,delay,function,*args,**kwargs):
        Thread.__init__(self)
        self.abort = Event()
        self.delay = delay
        self.args = args
        self.kwargs = kwargs
        self.function = function
    def stop(self):
        self.abort.set()
    def run(self):
        while not self.abort.isSet():
            self.function(*self.args,**self.kwargs)
            self.abort.wait(self.delay)

例:

from time import sleep
def do_work(foo):
    print "busy", foo
r = Repeat(1,do_work,3.14) # execute do_work(3.14) every second
r.start() # start the thread
sleep(5)  # let this demo run for 5s
r.stop()  # tell the thread to wake up and stop
r.join()  # don't forget to .join() before your script ends
于 2012-11-01T19:25:58.893 に答える
1

あなたのニーズに応じて、time.sleepまたはthreading.Timer仕事をするかもしれません。

より包括的なスケジューラが必要な場合、私のお気に入りのバージョンはhttp://code.activestate.com/recipes/496800-event-scheduling-threadingtimer/にあるレシピです。

import thread
import threading

class Operation(threading._Timer):
    def __init__(self, *args, **kwargs):
        threading._Timer.__init__(self, *args, **kwargs)
        self.setDaemon(True)

    def run(self):
        while True:
            self.finished.clear()
            self.finished.wait(self.interval)
            if not self.finished.isSet():
                self.function(*self.args, **self.kwargs)
            else:
                return
            self.finished.set()

class Manager(object):

    ops = []

    def add_operation(self, operation, interval, args=[], kwargs={}):
        op = Operation(interval, operation, args, kwargs)
        self.ops.append(op)
        thread.start_new_thread(op.run, ())

    def stop(self):
        for op in self.ops:
            op.cancel()

class LockPrint(object):
    def __init__(self):
        self.lock = threading.Lock()
    def lprint(self, value):
        with self.lock:
            print value

if __name__ == '__main__':
    import time
    import datetime

    lp = LockPrint()

    def hello1():
        lp.lprint('{}\thello1!'.format(datetime.datetime.now()))
    def hello2():
        lp.lprint('{}\thello2!'.format(datetime.datetime.now()))
    def hello3_blocking(): # this is bad, so don't do it in real code ;)
        lp.lprint('{}\thello3_blocking starting... '.format(
            datetime.datetime.now()
        )),
        t = time.time() # get a timestamp
        x = 0
        while time.time() - t < 3: # iterate in a blocking loop for 3 secs
            x += 1
        lp.lprint('{}\thello3_blocking complete! ({} iterations)'.format(
            datetime.datetime.now(), x
        ))



    timer = Manager()
    timer.add_operation(hello1, 1)
    timer.add_operation(hello2, 2)
    timer.add_operation(hello3_blocking, 2)

    t0 = time.time()
    while time.time() - t0 < 10:
        time.sleep(0.1)
    # turn off everything and exit...
    timer.stop()

これは、すべての操作がスレッドの下で実行されるため、メインスレッドが個々の操作スレッドのブロックセクションから切り替えて、他の操作のスケジュールを維持できるという意味で、一般的に時間安全です(関数が発生しないと仮定します)インタプリタに至るまでの例外、メインスケジューラスレッドの中断...)

これがblenderでどのように動作するかはわかりませんが、私が使用した他の環境(特に、トルネードベースのサーバー)の非ブロッキングモードではうまく機能します。

于 2012-11-01T19:43:01.070 に答える
-1
import threading

def hello():
   print "hello, world"
   t = threading.Timer(30.0, hello)
   t.start() # after 30 seconds, "hello, world" will be printed

私はPythonがあまり得意ではなく、これを試したことがありません。これがあなたに役立つかどうか見てください:)

于 2012-11-01T17:40:24.083 に答える