In Python, come si usa urllib per vedere se un sito web è 404 o 200?


Risposte:


176

Il metodo getcode () (aggiunto in python2.6) restituisce il codice di stato HTTP inviato con la risposta o Nessuno se l'URL non è un URL HTTP.

>>> a=urllib.urlopen('http://www.google.com/asdfsf')
>>> a.getcode()
404
>>> a=urllib.urlopen('http://www.google.com/')
>>> a.getcode()
200

Per usarlo in Python 3, usa semplicemente from urllib.request import urlopen.
Nathanael Farley

4
In python 3.4, se c'è un 404, urllib.request.urlopenrestituisce un urllib.error.HTTPError.
mcb

Non funziona in Python 2.7. Se HTTP restituisce 400, viene generata un'eccezione
Nadav B

86

Puoi usare anche urllib2 :

import urllib2

req = urllib2.Request('http://www.python.org/fish.html')
try:
    resp = urllib2.urlopen(req)
except urllib2.HTTPError as e:
    if e.code == 404:
        # do something...
    else:
        # ...
except urllib2.URLError as e:
    # Not an HTTP-specific error (e.g. connection refused)
    # ...
else:
    # 200
    body = resp.read()

Notare che HTTPErrorè una sottoclasse di URLErrorcui memorizza il codice di stato HTTP.


Il secondo è elseun errore?
Samy Bencherif

@NadavB L'oggetto eccezione 'e' apparirà come un oggetto risposta. Cioè, è simile a un file e puoi "leggere" il payload da esso.
Joe Holloway

37

Per Python 3:

import urllib.request, urllib.error

url = 'http://www.google.com/asdfsf'
try:
    conn = urllib.request.urlopen(url)
except urllib.error.HTTPError as e:
    # Return code error (e.g. 404, 501, ...)
    # ...
    print('HTTPError: {}'.format(e.code))
except urllib.error.URLError as e:
    # Not an HTTP-specific error (e.g. connection refused)
    # ...
    print('URLError: {}'.format(e.reason))
else:
    # 200
    # ...
    print('good')

Per URLError print(e.reason) potrebbe essere utilizzato.
Gitnik

Di cosa http.client.HTTPException?
CMCDragonkai

6
import urllib2

try:
    fileHandle = urllib2.urlopen('http://www.python.org/fish.html')
    data = fileHandle.read()
    fileHandle.close()
except urllib2.URLError, e:
    print 'you got an error with the code', e

5
TIMEX è interessata ad acquisire il codice di richiesta http (200, 404, 500, ecc.) Non un errore generico lanciato da urllib2.
Joshua Burns
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.