在web2by构建的缩短器中,我想首先验证url,如果它无效则返回第一页并显示错误消息。这是我在控制器中的代码(mvc arch。)但是我没有得到什么错误。!!
import urllib
def index():
return dict()
def random_maker():
url = request.vars.url
try:
urllib.urlopen(url)
return dict(rand_url = ''.join(random.choice(string.ascii_uppercase +
string.digits + string.ascii_lowercase) for x in range(6)),
input_url=url)
except IOError:
return index()
答案 0 :(得分:1)
您无法使用httplib检查http响应代码。如果它是200那么页面是有效的,如果它是其他任何东西(如404)或错误那么它是无效的。
请参阅此问题:What’s the best way to get an HTTP response code from a URL?
根据您的评论,您的问题就是如何处理错误。您只处理IOError问题。在您的情况下,您可以通过切换到以下方式单独处理所有错误:
except:
return index()
您还可以通过覆盖http_default_error来构建自己的异常处理程序。有关详细信息,请参阅How to catch 404 error in urllib.urlretrieve。
或者您可以切换到具有特定错误的urllib2,然后您可以处理urllib2抛出的特定错误:
from urllib2 import Request, urlopen, URLError
req = Request('http://jfvbhsjdfvbs.com')
try:
response = urlopen(req)
except URLError, e:
if hasattr(e, 'reason'):
print 'We failed to reach a server.'
print 'Reason: ', e.reason
elif hasattr(e, 'code'):
print 'The server couldn\'t fulfill the request.'
print 'Error code: ', e.code
else:
print 'URL is good!'
以上代码将返回:
We failed to reach a server.
Reason: [Errno 61] Connection refused
每个异常类的细节都包含在urllib.error api文档中。
我不确定如何将其插入到您的代码中,因为我不确定您要做什么,但IOError不会处理urllib抛出的异常。