IT

Python에서 urllib을 사용하여 웹 사이트가 404 또는 200인지 여부를 확인하십시오.

lottoking 2020. 7. 25. 10:20
반응형

Python에서 urllib을 사용하여 웹 사이트가 404 또는 200인지 여부를 확인하십시오.


urllib을 통해 헤더 코드를 얻는 방법은 무엇입니까?


getcode () 메서드 (python2.6에 추가됨)는 응답과 함께 전송 된 HTTP 상태 코드를 반환하거나 URL이 HTTP URL이 아닌 경우 없음을 반환합니다.

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

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()

주의 서브 클래스 HTTP 상태 코드를 저장한다.HTTPErrorURLError


확실한 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')

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

참고 URL : https://stackoverflow.com/questions/1726402/in-python-how-do-i-use-urllib-to-see-if-a-website-is-404-or-200

반응형