पायथन में कॉलर थ्रेड में थ्रेड का अपवाद पकड़ो


207

मैं अजगर के लिए बहुत नया हूं और सामान्य रूप से मल्टीथ्रेडेड प्रोग्रामिंग हूं। मूल रूप से, मेरे पास एक स्क्रिप्ट है जो फ़ाइलों को किसी अन्य स्थान पर कॉपी करेगी। मैं चाहूंगा कि इसे दूसरे धागे में रखा जाए ताकि मैं यह ....बता सकूं कि स्क्रिप्ट अभी भी चल रही है।

मेरे पास जो समस्या है, वह यह है कि यदि फ़ाइलों की प्रतिलिपि नहीं बनाई जा सकती है तो यह एक अपवाद फेंक देगा। यदि मुख्य धागे में चल रहा है तो यह ठीक है; हालाँकि, निम्नलिखित कोड काम नहीं करता है:

try:
    threadClass = TheThread(param1, param2, etc.)
    threadClass.start()   ##### **Exception takes place here**
except:
    print "Caught an exception"

थ्रेड क्लास में ही, मैंने अपवाद को फिर से फेंकने की कोशिश की, लेकिन यह काम नहीं करता है। मैंने देखा है कि लोग यहाँ पर इसी तरह के सवाल पूछते हैं, लेकिन वे सभी कुछ ऐसा कर रहे हैं जो मैं करने की कोशिश कर रहा हूँ (और मैं काफी समाधान की पेशकश को नहीं समझता)। मैंने देखा है कि लोग इसके उपयोग का उल्लेख करते हैं sys.exc_info(), हालाँकि मुझे नहीं पता कि इसका उपयोग कहाँ या कैसे करना है।

सभी मदद की बहुत सराहना की जाती है!

संपादित करें: थ्रेड क्लास के लिए कोड नीचे है:

class TheThread(threading.Thread):
    def __init__(self, sourceFolder, destFolder):
        threading.Thread.__init__(self)
        self.sourceFolder = sourceFolder
        self.destFolder = destFolder

    def run(self):
        try:
           shul.copytree(self.sourceFolder, self.destFolder)
        except:
           raise

क्या आप इस बारे में अधिक जानकारी दे सकते हैं कि अंदर क्या हो रहा है TheThread? कोड नमूना शायद?
jathanism

ज़रूर। मैं कुछ विवरणों को शामिल करने के लिए अपनी प्रतिक्रिया ऊपर संपादित करूंगा।
फैंटो

1
क्या आपने इसे राउंड स्विच करने पर विचार किया है, इसलिए मुख्य थ्रेड सामान है और प्रगति सूचक स्पॉन थ्रेड में है?
डैन हेड

1
डैन हेड, क्या आप पहले "..." फ़ंक्शन को स्पॉइन करने और फिर कॉपी फ़ंक्शन चलाने वाले मुख्य थ्रेड का उल्लेख कर रहे हैं? यह काम कर सकता है और अपवाद मुद्दे से बच सकता है। लेकिन, मैं अभी भी सीखना चाहता हूं कि कैसे अजगर में ठीक से धागा डालना है।
फैंटो

जवाबों:


114

समस्या यह है कि thread_obj.start()तुरंत रिटर्न। बच्चा धागा जिसे आपने देखा था वह अपने संदर्भ में, अपने स्वयं के स्टैक के साथ निष्पादित करता है। जो भी अपवाद होता है, वह बाल सूत्र के संदर्भ में होता है, और यह अपने स्वयं के स्टैक में होता है। एक तरह से मैं अभी इस बारे में सोच सकता हूं कि इस जानकारी को मूल सूत्र तक पहुंचाने के लिए किसी प्रकार के संदेश का उपयोग किया जाए, ताकि आप उस पर गौर कर सकें।

आकार के लिए इसे पहनकर देखें:

import sys
import threading
import Queue


class ExcThread(threading.Thread):

    def __init__(self, bucket):
        threading.Thread.__init__(self)
        self.bucket = bucket

    def run(self):
        try:
            raise Exception('An error occured here.')
        except Exception:
            self.bucket.put(sys.exc_info())


def main():
    bucket = Queue.Queue()
    thread_obj = ExcThread(bucket)
    thread_obj.start()

    while True:
        try:
            exc = bucket.get(block=False)
        except Queue.Empty:
            pass
        else:
            exc_type, exc_obj, exc_trace = exc
            # deal with the exception
            print exc_type, exc_obj
            print exc_trace

        thread_obj.join(0.1)
        if thread_obj.isAlive():
            continue
        else:
            break


if __name__ == '__main__':
    main()

5
लूप करते समय इस बदसूरत के बजाय धागे से क्यों नहीं जुड़ना चाहिए? multiprocessingसमतुल्य देखें : gist.github.com/2311116
schlamar

1
EventLook का उपयोग क्यों नहीं किया जा रहा है stackoverflow.com/questions/1092531/event-system-in-python/… @Lasse उत्तर पर आधारित है? लूप बात के बजाय?
आंद्रे मिरास

1
जब तक आप उनमें से एक पूरी कतार नहीं चाहते, कतार एक त्रुटि को संप्रेषित करने के लिए सबसे अच्छा वाहन नहीं है। एक बेहतर निर्माण थ्रेडिंग है।
ईवेंट

1
यह मुझे असुरक्षित लगता है। क्या होता है जब धागा उठने के ठीक बाद अपवाद bucket.get()उठाता है Queue.Empty? फिर धागा join(0.1)पूरा हो जाएगा और isAlive() is False, और आप अपने अपवाद को याद करते हैं।
स्टीव

1
Queueइस सरल मामले में अनावश्यक है - आप अपवाद जानकारी को केवल ExcThreadतब तक के लिए एक संपत्ति के रूप में संग्रहीत कर सकते हैं जब तक आप यह सुनिश्चित कर लेते हैं कि run()अपवाद के ठीक बाद पूरा होता है (जो कि इस सरल उदाहरण में होता है)। तब आप केवल (या दौरान) के बाद अपवाद को फिर से बढ़ाते हैं t.join()। कोई सिंक्रनाइज़ेशन समस्याएं नहीं हैं क्योंकि join()यह सुनिश्चित करता है कि धागा पूरा हो गया है। जवाब देखें Rok Strniša से नीचे stackoverflow.com/a/12223550/126362
ejm

42

concurrent.futuresमॉड्यूल यह आसान अलग धागे (या प्रक्रियाओं) में काम करने के लिए और किसी भी जिसके परिणामस्वरूप अपवाद संभाल बनाता है:

import concurrent.futures
import shutil

def copytree_with_dots(src_path, dst_path):
    with concurrent.futures.ThreadPoolExecutor(max_workers=1) as executor:
        # Execute the copy on a separate thread,
        # creating a future object to track progress.
        future = executor.submit(shutil.copytree, src_path, dst_path)

        while future.running():
            # Print pretty dots here.
            pass

        # Return the value returned by shutil.copytree(), None.
        # Raise any exceptions raised during the copy process.
        return future.result()

concurrent.futuresपायथन 3.2 के साथ शामिल है, और पहले के संस्करणों के लिए बैकपोर्ट वाले futuresमॉड्यूल के रूप में उपलब्ध है ।


5
जबकि ओपी ने जो पूछा, यह ठीक वैसा नहीं है, यह ठीक उसी तरह का संकेत है जिसकी मुझे जरूरत थी। धन्यवाद।
मैड फिजिसिस्ट

2
और साथ ही concurrent.futures.as_completed, आपको तुरंत सूचित किया जा सकता है क्योंकि अपवाद उठाए गए हैं: stackoverflow.com/questions/2829329/…
Ciro Santilli 郝海东 get get get '法轮功

1
यह कोड मुख्य थ्रेड को ब्लॉक कर रहा है। आप इसे अतुल्यकालिक रूप से कैसे करते हैं?
निकोले शिंदारोव

40

इस सवाल के बहुत अजीब जटिल जवाब हैं। क्या मैं इसकी देखरेख कर रहा हूं, क्योंकि यह मुझे ज्यादातर चीजों के लिए पर्याप्त लगता है।

from threading import Thread

class PropagatingThread(Thread):
    def run(self):
        self.exc = None
        try:
            if hasattr(self, '_Thread__target'):
                # Thread uses name mangling prior to Python 3.
                self.ret = self._Thread__target(*self._Thread__args, **self._Thread__kwargs)
            else:
                self.ret = self._target(*self._args, **self._kwargs)
        except BaseException as e:
            self.exc = e

    def join(self):
        super(PropagatingThread, self).join()
        if self.exc:
            raise self.exc
        return self.ret

यदि आप निश्चित हैं कि आप केवल पायथन के एक या दूसरे संस्करण पर चल रहे हैं, तो आप इसे कम कर सकते हैं run() विधि को केवल गिरे हुए संस्करण तक (यदि आप केवल 3 से पहले पायथन के संस्करणों पर चल रहे हैं), या बस स्वच्छ संस्करण (यदि आप केवल पायथन के संस्करणों पर चल रहे हैं 3 से शुरू होगा)।

उदाहरण का उपयोग:

def f(*args, **kwargs):
    print(args)
    print(kwargs)
    raise Exception('I suck at this')

t = PropagatingThread(target=f, args=(5,), kwargs={'hello':'world'})
t.start()
t.join()

और जब आप जुड़ेंगे तो आपको दूसरे धागे पर उठाया गया अपवाद दिखाई देगा।

यदि आप sixकेवल पायथन 3 का उपयोग कर रहे हैं या कर रहे हैं , तो आप स्टैक ट्रेस जानकारी में सुधार कर सकते हैं जब अपवाद फिर से उठाया जाता है। जुड़ने के बिंदु पर केवल स्टैक के बजाय, आप आंतरिक अपवाद को एक नए बाहरी अपवाद में लपेट सकते हैं, और दोनों स्टैक के साथ प्राप्त कर सकते हैं

six.raise_from(RuntimeError('Exception in thread'),self.exc)

या

raise RuntimeError('Exception in thread') from self.exc

1
मुझे यकीन नहीं है कि यह उत्तर अधिक लोकप्रिय क्यों नहीं है। यहां अन्य लोग भी हैं जो सरल प्रचार भी करते हैं, लेकिन एक वर्ग का विस्तार करने और ओवरराइड करने की आवश्यकता होती है। यह सिर्फ वही करता है जो कई लोग उम्मीद करते हैं, और इसके लिए केवल थ्रेड से प्रोगेटिंगथ्रेड में बदलने की आवश्यकता होती है। और 4 स्पेस टैब्स तो मेरी कॉपी / पेस्ट तुच्छ थे :-) ... मैं केवल यही सुझाव देता था कि मैं छह.ट्राइस_फ्रॉम () का उपयोग कर रहा हूं ताकि आपको स्टैक के निशान का अच्छा नेस्टेड सेट मिल जाए, बजाय स्टैक के। reraise का स्थान।
aggieNick02

आपका बहुत बहुत धन्यवाद। बहुत ही सरल उपाय।
सोनालोहनी

मेरी समस्या यह है कि मेरे पास कई बच्चे हैं। जोड़ क्रम में निष्पादित किए जाते हैं, और अपवाद बाद में शामिल किए गए थ्रेड्स से उठाया जा सकता है। क्या मेरी समस्या का सरल समाधान है? सम्‍मिलित रूप से चलाएं?
चुआन

धन्यवाद, यह पूरी तरह से काम करता है! यकीन नहीं होता कि इसे सीधे अजगर के हाथ से क्यों नहीं पकड़ा गया ...
जीजी।

यह निश्चित रूप से सबसे उपयोगी उत्तर है, यह व्यभिचार दूसरों की तुलना में बहुत अधिक सामान्य है, फिर भी सरल है। एक परियोजना में इसका इस्तेमाल करेंगे!
कॉन्स्टेंटिन सेकेरेश

30

हालांकि एक अलग थ्रेड में फेंक दिए गए अपवाद को सीधे पकड़ना संभव नहीं है, यहां इस कोड को काफी पारदर्शी रूप से इस कार्यक्षमता के बहुत करीब से कुछ प्राप्त करना है। आपके बच्चे के धागे को ExThreadकक्षा के बजाय उप- वर्ग में लाना होगा threading.Threadऔर पैरेंट थ्रेड को अपनी नौकरी खत्म करने के लिए प्रतीक्षा child_thread.join_with_exception()करने के बजाय विधि को कॉल करना होगा child_thread.join()

इस कार्यान्वयन का तकनीकी विवरण: जब बच्चा धागा एक अपवाद फेंकता है, तो इसे माता-पिता के पास पारित किया जाता है Queueऔर फिर से माता-पिता के धागे में फेंक दिया जाता है। ध्यान दें कि इस दृष्टिकोण में कोई व्यस्त प्रतीक्षा नहीं है।

#!/usr/bin/env python

import sys
import threading
import Queue

class ExThread(threading.Thread):
    def __init__(self):
        threading.Thread.__init__(self)
        self.__status_queue = Queue.Queue()

    def run_with_exception(self):
        """This method should be overriden."""
        raise NotImplementedError

    def run(self):
        """This method should NOT be overriden."""
        try:
            self.run_with_exception()
        except BaseException:
            self.__status_queue.put(sys.exc_info())
        self.__status_queue.put(None)

    def wait_for_exc_info(self):
        return self.__status_queue.get()

    def join_with_exception(self):
        ex_info = self.wait_for_exc_info()
        if ex_info is None:
            return
        else:
            raise ex_info[1]

class MyException(Exception):
    pass

class MyThread(ExThread):
    def __init__(self):
        ExThread.__init__(self)

    def run_with_exception(self):
        thread_name = threading.current_thread().name
        raise MyException("An error in thread '{}'.".format(thread_name))

def main():
    t = MyThread()
    t.start()
    try:
        t.join_with_exception()
    except MyException as ex:
        thread_name = threading.current_thread().name
        print "Caught a MyException in thread '{}': {}".format(thread_name, ex)

if __name__ == '__main__':
    main()

1
आप को पकड़ने के लिए नहीं चाहते हैं BaseException, नहीं Exception? आप जो कर रहे हैं, वह अपवाद को एक Threadऔर दूसरे में प्रचारित कर रहा है । अभी, IE, एक KeyboardInterrupt, अगर यह एक पृष्ठभूमि धागे में उठाया गया था चुपचाप नजरअंदाज कर दिया जाएगा।
ArtOfWarfare

join_with_exceptionएक मृत धागे पर दूसरी बार बुलाया जाता है तो अनिश्चित काल तक लटका रहता है। फिक्स: github.com/fraserharris/threading-extensions/blob/master/…
फ्रेजर हैरिस

मुझे नहीं लगता Queueकि आवश्यक है; @ संता के जवाब के लिए मेरी टिप्पणी देखें। आप इसे कुछ सरल कर सकते हैं जैसे Rok Strniša का जवाब stackoverflow.com/a/12223550/126362 से
ejm

22

यदि किसी थ्रेड में कोई अपवाद होता है, तो कॉल करने वाले थ्रेड में इसे पुन: बढ़ाने का सबसे अच्छा तरीका है join। आप sys.exc_info()फ़ंक्शन का उपयोग करके वर्तमान में नियंत्रित किए जा रहे अपवाद के बारे में जानकारी प्राप्त कर सकते हैं । यह जानकारी केवल थ्रेड ऑब्जेक्ट की एक संपत्ति के रूप में संग्रहीत की जा सकती है जब तक joinकि कॉल नहीं किया जाता है, जिस बिंदु पर इसे फिर से उठाया जा सकता है।

ध्यान दें कि एक Queue.Queue(जैसा कि अन्य उत्तरों में सुझाव दिया गया है) इस साधारण मामले में आवश्यक नहीं है जहां थ्रेड सबसे अधिक 1 अपवाद पर फेंकता है और एक अपवाद को फेंकने के ठीक बाद पूरा होता है । हम केवल धागे के पूरा होने की प्रतीक्षा करके दौड़ की स्थिति से बचते हैं।

उदाहरण के लिए, विस्तार ExcThread(नीचे), ओवरराइडिंग excRun(इसके बजाय run)।

पायथन 2.x:

import threading

class ExcThread(threading.Thread):
  def excRun(self):
    pass

  def run(self):
    self.exc = None
    try:
      # Possibly throws an exception
      self.excRun()
    except:
      import sys
      self.exc = sys.exc_info()
      # Save details of the exception thrown but don't rethrow,
      # just complete the function

  def join(self):
    threading.Thread.join(self)
    if self.exc:
      msg = "Thread '%s' threw an exception: %s" % (self.getName(), self.exc[1])
      new_exc = Exception(msg)
      raise new_exc.__class__, new_exc, self.exc[2]

अजगर 3.x:

raiseपायथन 3 में 3 तर्क फॉर्म चला गया है, इसलिए अंतिम पंक्ति को इसमें बदलें:

raise new_exc.with_traceback(self.exc[2])

2
आप सुपर के बजाय थ्रेडिंग। थ्रेड। जॉइन (सेल्फ) का उपयोग क्यों करते हैं (एक्सट्रेड, सेल्फ)। जॉइन ()?
रिचर्ड मोहन

9

concurrent.futures.as_completed

https://docs.python.org/3.7/library/concurrent.futures.html#concurrent.futures.as_completed

निम्नलिखित समाधान:

  • अपवाद कहे जाने पर तुरंत मुख्य धागे पर लौटता है
  • किसी अतिरिक्त उपयोगकर्ता परिभाषित वर्गों की आवश्यकता नहीं है क्योंकि इसकी आवश्यकता नहीं है:
    • एक स्पष्ट Queue
    • अपने काम के धागे के अलावा एक और जोड़ने के लिए

स्रोत:

#!/usr/bin/env python3

import concurrent.futures
import time

def func_that_raises(do_raise):
    for i in range(3):
        print(i)
        time.sleep(0.1)
    if do_raise:
        raise Exception()
    for i in range(3):
        print(i)
        time.sleep(0.1)

with concurrent.futures.ThreadPoolExecutor(max_workers=2) as executor:
    futures = []
    futures.append(executor.submit(func_that_raises, False))
    futures.append(executor.submit(func_that_raises, True))
    for future in concurrent.futures.as_completed(futures):
        print(repr(future.exception()))

संभावित उत्पादन:

0
0
1
1
2
2
0
Exception()
1
2
None

दुर्भाग्यवश दूसरों को रद्द करने के वायदा को मारना संभव नहीं है क्योंकि एक विफल हो जाता है:

यदि आप कुछ ऐसा करते हैं:

for future in concurrent.futures.as_completed(futures):
    if future.exception() is not None:
        raise future.exception()

फिर withइसे पकड़ता है, और जारी रखने से पहले दूसरे धागे के खत्म होने का इंतजार करता है। निम्नलिखित समान व्यवहार करता है:

for future in concurrent.futures.as_completed(futures):
    future.result()

चूँकि future.result()अपवाद तब होता है जब कोई हुआ हो।

यदि आप पूरी पायथन प्रक्रिया को छोड़ना चाहते हैं, तो आप दूर हो सकते हैं os._exit(0), लेकिन इसका मतलब है कि आपको एक रिफ्लेक्टर की आवश्यकता है।

सही अपवाद शब्दार्थ के साथ कस्टम वर्ग

मैंने अपने लिए एकदम सही इंटरफ़ेस कोडिंग को समाप्त किया: एक बार में चलने वाले अधिकतम थ्रेड्स को सीमित करने का सही तरीका? अनुभाग "त्रुटि से निपटने के लिए कतार उदाहरण"। वह कक्षा दोनों को सुविधाजनक बनाने का लक्ष्य रखती है, और आपको जमा करने और परिणाम / त्रुटि से निपटने पर कुल नियंत्रण प्रदान करती है।

पायथन 3.6.7, उबंटू 18.04 पर परीक्षण किया गया।


4

यह एक छोटी सी समस्या थी, और मैं अपना समाधान अंदर फेंकना चाहूंगा। कुछ अन्य समाधान जो मैंने पाए (उदाहरण के लिए async.io) आशाजनक लग रहे थे, लेकिन एक ब्लैक बॉक्स भी प्रस्तुत किया। कतार / ईवेंट लूप अप्रोच एक निश्चित कार्यान्वयन के लिए आपको टाई करता है। समवर्ती वायदा स्रोत कोड, हालांकि, केवल 1000 लाइनों के आसपास है, और समझने में आसान है । इसने मुझे अपनी समस्या को आसानी से हल करने की अनुमति दी: बिना ज्यादा सेटअप के एड-हॉक वर्कर थ्रेड्स बनाएं, और मुख्य थ्रेड में अपवादों को पकड़ने में सक्षम होने के लिए।

मेरा समाधान समवर्ती वायदा एपीआई और सूत्रण एपीआई का उपयोग करता है। यह आपको एक कार्यकर्ता बनाने की अनुमति देता है जो आपको थ्रेड और भविष्य दोनों देता है। इस तरह, आप परिणाम की प्रतीक्षा करने के लिए धागे में शामिल हो सकते हैं:

worker = Worker(test)
thread = worker.start()
thread.join()
print(worker.future.result())

... या आप कार्यकर्ता को केवल कॉलबैक भेजने की अनुमति दे सकते हैं:

worker = Worker(test)
thread = worker.start(lambda x: print('callback', x))

... या आप लूप तब तक कर सकते हैं जब तक कि घटना पूरी न हो जाए:

worker = Worker(test)
thread = worker.start()

while True:
    print("waiting")
    if worker.future.done():
        exc = worker.future.exception()
        print('exception?', exc)
        result = worker.future.result()
        print('result', result)           
        break
    time.sleep(0.25)

यहाँ कोड है:

from concurrent.futures import Future
import threading
import time

class Worker(object):
    def __init__(self, fn, args=()):
        self.future = Future()
        self._fn = fn
        self._args = args

    def start(self, cb=None):
        self._cb = cb
        self.future.set_running_or_notify_cancel()
        thread = threading.Thread(target=self.run, args=())
        thread.daemon = True #this will continue thread execution after the main thread runs out of code - you can still ctrl + c or kill the process
        thread.start()
        return thread

    def run(self):
        try:
            self.future.set_result(self._fn(*self._args))
        except BaseException as e:
            self.future.set_exception(e)

        if(self._cb):
            self._cb(self.future.result())

... और परीक्षण समारोह:

def test(*args):
    print('args are', args)
    time.sleep(2)
    raise Exception('foo')

2

थ्रेडिंग के लिए एक noobie के रूप में, मुझे यह समझने में एक लंबा समय लगा कि माटुस्ज़ कोबोस के कोड (ऊपर) को कैसे लागू किया जाए। इसका उपयोग कैसे करें, यह समझने में मदद करने के लिए यहां एक स्पष्ट संस्करण दिया गया है।

#!/usr/bin/env python

import sys
import threading
import Queue

class ExThread(threading.Thread):
    def __init__(self):
        threading.Thread.__init__(self)
        self.__status_queue = Queue.Queue()

    def run_with_exception(self):
        """This method should be overriden."""
        raise NotImplementedError

    def run(self):
        """This method should NOT be overriden."""
        try:
            self.run_with_exception()
        except Exception:
            self.__status_queue.put(sys.exc_info())
        self.__status_queue.put(None)

    def wait_for_exc_info(self):
        return self.__status_queue.get()

    def join_with_exception(self):
        ex_info = self.wait_for_exc_info()
        if ex_info is None:
            return
        else:
            raise ex_info[1]

class MyException(Exception):
    pass

class MyThread(ExThread):
    def __init__(self):
        ExThread.__init__(self)

    # This overrides the "run_with_exception" from class "ExThread"
    # Note, this is where the actual thread to be run lives. The thread
    # to be run could also call a method or be passed in as an object
    def run_with_exception(self):
        # Code will function until the int
        print "sleeping 5 seconds"
        import time
        for i in 1, 2, 3, 4, 5:
            print i
            time.sleep(1) 
        # Thread should break here
        int("str")
# I'm honestly not sure why these appear here? So, I removed them. 
# Perhaps Mateusz can clarify?        
#         thread_name = threading.current_thread().name
#         raise MyException("An error in thread '{}'.".format(thread_name))

if __name__ == '__main__':
    # The code lives in MyThread in this example. So creating the MyThread 
    # object set the code to be run (but does not start it yet)
    t = MyThread()
    # This actually starts the thread
    t.start()
    print
    print ("Notice 't.start()' is considered to have completed, although" 
           " the countdown continues in its new thread. So you code "
           "can tinue into new processing.")
    # Now that the thread is running, the join allows for monitoring of it
    try:
        t.join_with_exception()
    # should be able to be replace "Exception" with specific error (untested)
    except Exception, e: 
        print
        print "Exceptioon was caught and control passed back to the main thread"
        print "Do some handling here...or raise a custom exception "
        thread_name = threading.current_thread().name
        e = ("Caught a MyException in thread: '" + 
             str(thread_name) + 
             "' [" + str(e) + "]")
        raise Exception(e) # Or custom class of exception, such as MyException

2

इसी तरह जैसे कि रिकार्डस्जोग्रेन के बिना क्यू, सीस आदि लेकिन कुछ श्रोताओं के बिना संकेतों के बिना: सीधे एक अपवाद हैंडलर को निष्पादित करें जो एक अपवाद ब्लॉक से मेल खाती है।

#!/usr/bin/env python3

import threading

class ExceptionThread(threading.Thread):

    def __init__(self, callback=None, *args, **kwargs):
        """
        Redirect exceptions of thread to an exception handler.

        :param callback: function to handle occured exception
        :type callback: function(thread, exception)
        :param args: arguments for threading.Thread()
        :type args: tuple
        :param kwargs: keyword arguments for threading.Thread()
        :type kwargs: dict
        """
        self._callback = callback
        super().__init__(*args, **kwargs)

    def run(self):
        try:
            if self._target:
                self._target(*self._args, **self._kwargs)
        except BaseException as e:
            if self._callback is None:
                raise e
            else:
                self._callback(self, e)
        finally:
            # Avoid a refcycle if the thread is running a function with
            # an argument that has a member that points to the thread.
            del self._target, self._args, self._kwargs, self._callback

केवल self._callback और रन में अपवाद को छोड़कर () सामान्य थ्रेडिंग के लिए अतिरिक्त है।


2

मुझे पता है कि मैं यहां पार्टी के लिए थोड़ा लेट हो गया हूं लेकिन मुझे एक समान समस्या हो रही थी लेकिन इसमें GUI के रूप में टिंकर का उपयोग करना शामिल था, और मेनलोप ने .join () पर निर्भर किसी भी समाधान का उपयोग करना असंभव बना दिया। इसलिए मैंने मूल प्रश्न के ईडीआईटी में दिए गए समाधान को अनुकूलित किया, लेकिन इसे दूसरों के लिए समझना आसान बना दिया।

यहाँ कार्रवाई में नया थ्रेड क्लास है:

import threading
import traceback
import logging


class ExceptionThread(threading.Thread):
    def __init__(self, *args, **kwargs):
        threading.Thread.__init__(self, *args, **kwargs)

    def run(self):
        try:
            if self._target:
                self._target(*self._args, **self._kwargs)
        except Exception:
            logging.error(traceback.format_exc())


def test_function_1(input):
    raise IndexError(input)


if __name__ == "__main__":
    input = 'useful'

    t1 = ExceptionThread(target=test_function_1, args=[input])
    t1.start()

बेशक, आप हमेशा इसे लॉगिंग से किसी अन्य तरीके से अपवाद को संभाल सकते हैं, जैसे कि इसे प्रिंट करना, या इसे कंसोल पर आउटपुट करना।

यह आपको किसी विशेष संशोधनों के बिना, थ्रेड क्लास की तरह ही ExceptionThread क्लास का उपयोग करने की अनुमति देता है।


1

एक विधि जो मुझे पसंद है वह प्रेक्षक पैटर्न पर आधारित है । मैं एक संकेत वर्ग को परिभाषित करता हूं जिसका उपयोग मेरे श्रोताओं के अपवादों को छोड़ने के लिए करता है। इसका उपयोग थ्रेड्स से मान वापस करने के लिए भी किया जा सकता है। उदाहरण:

import threading

class Signal:
    def __init__(self):
        self._subscribers = list()

    def emit(self, *args, **kwargs):
        for func in self._subscribers:
            func(*args, **kwargs)

    def connect(self, func):
        self._subscribers.append(func)

    def disconnect(self, func):
        try:
            self._subscribers.remove(func)
        except ValueError:
            raise ValueError('Function {0} not removed from {1}'.format(func, self))


class WorkerThread(threading.Thread):

    def __init__(self, *args, **kwargs):
        super(WorkerThread, self).__init__(*args, **kwargs)
        self.Exception = Signal()
        self.Result = Signal()

    def run(self):
        if self._Thread__target is not None:
            try:
                self._return_value = self._Thread__target(*self._Thread__args, **self._Thread__kwargs)
            except Exception as e:
                self.Exception.emit(e)
            else:
                self.Result.emit(self._return_value)

if __name__ == '__main__':
    import time

    def handle_exception(exc):
        print exc.message

    def handle_result(res):
        print res

    def a():
        time.sleep(1)
        raise IOError('a failed')

    def b():
        time.sleep(2)
        return 'b returns'

    t = WorkerThread(target=a)
    t2 = WorkerThread(target=b)
    t.Exception.connect(handle_exception)
    t2.Result.connect(handle_result)
    t.start()
    t2.start()

    print 'Threads started'

    t.join()
    t2.join()
    print 'Done'

मुझे यह दावा करने के लिए थ्रेड के साथ काम करने का पर्याप्त अनुभव नहीं है कि यह पूरी तरह से सुरक्षित तरीका है। लेकिन इसने मेरे लिए काम किया है और मुझे लचीलापन पसंद है।


क्या आप जुड़ने के बाद डिस्कनेक्ट करते हैं ()?
बाज़

मैं नहीं, लेकिन मुझे लगता है कि यह एक अच्छा विचार होगा ताकि आपके पास अप्रयुक्त सामानों के संदर्भ न हों।
रिकार्ड्सजोग्रेन

मैंने देखा कि "handle_exception" अभी भी एक बच्चे के धागे का हिस्सा है। धागा कॉल करने के लिए इसे पारित करने की जरूरत है
ईगल

1

नग्न उपदेशों का उपयोग करना एक अच्छा अभ्यास नहीं है क्योंकि आप आमतौर पर आपके लिए अधिक सौदेबाजी करते हैं।

मैं exceptआपको केवल उस अपवाद को पकड़ने के लिए संशोधित करने का सुझाव दूंगा जिसे आप संभालना चाहते हैं। मुझे नहीं लगता है कि इसे बढ़ाने का वांछित प्रभाव है, क्योंकि जब आप TheThreadबाहरी में तात्कालिकता के लिए जाते हैं try, अगर यह अपवाद उठाता है, तो असाइनमेंट कभी नहीं होने वाला है।

इसके बजाय आप इस पर सिर्फ सतर्क हो सकते हैं और आगे बढ़ सकते हैं, जैसे:

def run(self):
    try:
       shul.copytree(self.sourceFolder, self.destFolder)
    except OSError, err:
       print err

फिर जब वह अपवाद पकड़ा जाता है, तो आप उसे संभाल सकते हैं। फिर जब बाहरी व्यक्ति tryअपवाद को पकड़ता है TheThread, तो आप जानते हैं कि यह वह नहीं होगा जिसे आप पहले से संभाल चुके हैं, और यह आपकी प्रक्रिया के प्रवाह को अलग करने में आपकी मदद करेगा।


1
खैर, अगर उस धागे में कोई त्रुटि है, तो मैं उपयोगकर्ता को सूचित करने के लिए पूर्ण कार्यक्रम चाहता हूं कि एक मुद्दा था और इनायत से समाप्त हुआ। इस कारण से, मैं चाहता हूं कि सभी अपवादों को पकड़ने और संभालने के लिए मुख्य धागा। हालाँकि, समस्या अभी भी मौजूद है जहाँ यदि थ्रेड्रेड एक अपवाद को फेंकता है, तो मुख्य थ्रेड का प्रयास / सिवाय इसके अभी भी पकड़ में नहीं आएगा। मैं थ्रेड अपवाद का पता लगा सकता था और गलत संकेत दे सकता था कि ऑपरेशन असफल था। यह वही वांछित परिणाम प्राप्त करेगा, लेकिन मैं अभी भी जानना चाहूंगा कि उप-थ्रेड अपवाद को ठीक से कैसे पकड़ा जाए।
फैंटो

1

थ्रेड के अपवाद को पकड़ने और कॉलर पद्धति पर वापस संचार करने का एक सरल तरीका शब्दकोश या सूची को workerविधि द्वारा पारित किया जा सकता है ।

उदाहरण (कार्यकर्ता पद्धति का शब्दकोष):

import threading

def my_method(throw_me):
    raise Exception(throw_me)

def worker(shared_obj, *args, **kwargs):
    try:
        shared_obj['target'](*args, **kwargs)
    except Exception as err:
        shared_obj['err'] = err

shared_obj = {'err':'', 'target': my_method}
throw_me = "Test"

th = threading.Thread(target=worker, args=(shared_obj, throw_me), kwargs={})
th.start()
th.join()

if shared_obj['err']:
    print(">>%s" % shared_obj['err'])

1

अपवाद भंडारण के साथ धागा लपेटें।

import threading
import sys
class ExcThread(threading.Thread):

    def __init__(self, target, args = None):
        self.args = args if args else []
        self.target = target
        self.exc = None
        threading.Thread.__init__(self)

    def run(self):
        try:
            self.target(*self.args)
            raise Exception('An error occured here.')
        except Exception:
            self.exc=sys.exc_info()

def main():
    def hello(name):
        print(!"Hello, {name}!")
    thread_obj = ExcThread(target=hello, args=("Jack"))
    thread_obj.start()

    thread_obj.join()
    exc = thread_obj.exc
    if exc:
        exc_type, exc_obj, exc_trace = exc
        print(exc_type, ':',exc_obj, ":", exc_trace)

main()

0

pygolang सिंक प्रदान करता है ।orkGroup , विशेष रूप से, जो मुख्य वर्कर के थ्रेडेड वर्कर थ्रेड से अपवाद का प्रचार करता है। उदाहरण के लिए:

#!/usr/bin/env python
"""This program demostrates how with sync.WorkGroup an exception raised in
spawned thread is propagated into main thread which spawned the worker."""

from __future__ import print_function
from golang import sync, context

def T1(ctx, *argv):
    print('T1: run ... %r' % (argv,))
    raise RuntimeError('T1: problem')

def T2(ctx):
    print('T2: ran ok')

def main():
    wg = sync.WorkGroup(context.background())
    wg.go(T1, [1,2,3])
    wg.go(T2)

    try:
        wg.wait()
    except Exception as e:
        print('Tmain: caught exception: %r\n' %e)
        # reraising to see full traceback
        raise

if __name__ == '__main__':
    main()

चलाने के बाद निम्न देता है:

T1: run ... ([1, 2, 3],)
T2: ran ok
Tmain: caught exception: RuntimeError('T1: problem',)

Traceback (most recent call last):
  File "./x.py", line 28, in <module>
    main()
  File "./x.py", line 21, in main
    wg.wait()
  File "golang/_sync.pyx", line 198, in golang._sync.PyWorkGroup.wait
    pyerr_reraise(pyerr)
  File "golang/_sync.pyx", line 178, in golang._sync.PyWorkGroup.go.pyrunf
    f(pywg._pyctx, *argv, **kw)
  File "./x.py", line 10, in T1
    raise RuntimeError('T1: problem')
RuntimeError: T1: problem

सवाल से मूल कोड सिर्फ होगा:

    wg = sync.WorkGroup(context.background())

    def _(ctx):
        shul.copytree(sourceFolder, destFolder)
    wg.go(_)

    # waits for spawned worker to complete and, on error, reraises
    # its exception on the main thread.
    wg.wait()
हमारी साइट का प्रयोग करके, आप स्वीकार करते हैं कि आपने हमारी Cookie Policy और निजता नीति को पढ़ और समझा लिया है।
Licensed under cc by-sa 3.0 with attribution required.