How to distinguish a timeout error and other `URLError` s in Python?

How to distinguish a timeout error from others URLErrorin Python?

EDIT

When will I catch URLError, could it be Temporary failure in name resolutionor timeoutor some other mistake? How can I tell each other?

+5
source share
2 answers

I use the code as option 2 below ... but for a comprehensive answer, see Michael Foord urllib2 page

If you use either option 1 or option 2 below, you can add as much mind and branching as you want in the except clauses by looking at e.codeore.reason

Option 1:

from urllib2 import Request, urlopen, URLError, HTTPError
req = Request(someurl)
try:
    response = urlopen(req)
except HTTPError, e:
    print 'The server couldn\'t fulfill the request.'
    print 'Error code: ', e.code
except URLError, e:
    print 'We failed to reach a server.'
    print 'Reason: ', e.reason
else:
    # everything is fine

Option 2:

from urllib import urlencode
from urllib2 import Request
# insert other code here...
    error = False
    error_code = ""
    try:
        if method.upper()=="GET":
            response = urlopen(req)
        elif method.upper()=="POST":
            response = urlopen(req,data)
    except IOError, e:
        if hasattr(e, 'reason'):
            #print 'We failed to reach a server.'
            #print 'Reason: ', e.reason
            error = True
            error_code = e.reason
        elif hasattr(e, 'code'):
            #print 'The server couldn\'t fulfill the request.'
            #print 'Error code: ', e.code
            error = True
            error_code = e.code
    else:
        # info is dictionary of server parameters, such as 'content-type', etc...
        info = response.info().dict
        page = response.read()
+5
source

- Error URLError

except URLError, e:
    if e.reason.message == 'timed out':
        # handle timed out exception
    else:
        # other URLError
0

All Articles