1

非同期呼び出しを同期的に見せるための最良の方法は何ですか?たとえば、このようなものですが、呼び出し元のスレッドと非同期応答スレッドを調整するにはどうすればよいですか?Javaでは、タイムアウト付きのCountdownLatch()を使用する場合がありますが、Pythonの明確なソリューションが見つかりません

def getDataFromAsyncSource():
    asyncService.subscribe(callback=functionToCallbackTo)
    # wait for data
    return dataReturned

def functionToCallbackTo(data):
    dataReturned = data
4

2 に答える 2

5

使用できるモジュールがあります

import concurrent.futures

サンプルコードとモジュールのダウンロードリンクについては、この投稿を確認してください:Pythonでの同時タスクの実行

将来的にエグゼキュータの結果を入力して取得できます。http ://pypi.python.orgのサンプルコードを次に示します。

import concurrent.futures
import urllib.request

URLS = ['http://www.foxnews.com/',
    'http://www.cnn.com/',
    'http://europe.wsj.com/',
    'http://www.bbc.co.uk/',
    'http://some-made-up-domain.com/']

def load_url(url, timeout):
    return urllib.request.urlopen(url, timeout=timeout).read()

with concurrent.futures.ThreadPoolExecutor(max_workers=5) as executor:
    future_to_url = dict((executor.submit(load_url, url, 60), url)
                     for url in URLS)

    for future in concurrent.futures.as_completed(future_to_url):
        url = future_to_url[future]
        if future.exception() is not None:
            print('%r generated an exception: %s' % (url,future.exception()))
        else:
            print('%r page is %d bytes' % (url, len(future.result())))
于 2012-05-25T07:44:45.157 に答える