Python:异常时返回空值



我在Python方面有一些经验,但我从未使用过try&除了由于缺乏正式培训而捕捉错误的功能。

我正在从维基百科中提取一些文章。为此,我有一系列的标题,其中一些标题末尾没有任何文章或搜索结果。我希望页面检索功能跳过这几个名字,继续在其余的名字上运行脚本。

import wikipedia
# This one works.
links = ["CPython"]
test = [wikipedia.page(link, auto_suggest=False) for link in links]
test = [testitem.content for testitem in test]
print(test)
#The sequence breaks down if there is no wikipedia page.
links = ["CPython","no page"]
test = [wikipedia.page(link, auto_suggest=False) for link in links]
test = [testitem.content for testitem in test]
print(test)

运行它的库使用这样的方法。通常情况下,这是一种非常糟糕的做法,但由于这只是一次性的数据提取,我愿意更改库的本地副本以使其发挥作用编辑我现在包含了完整的功能。

def page(title=None, pageid=None, auto_suggest=True, redirect=True, preload=False):
  '''
  Get a WikipediaPage object for the page with title `title` or the pageid
  `pageid` (mutually exclusive).
  Keyword arguments:
  * title - the title of the page to load
  * pageid - the numeric pageid of the page to load
  * auto_suggest - let Wikipedia find a valid page title for the query
  * redirect - allow redirection without raising RedirectError
  * preload - load content, summary, images, references, and links during initialization
  '''
  if title is not None:
    if auto_suggest:
      results, suggestion = search(title, results=1, suggestion=True)
      try:
        title = suggestion or results[0]
      except IndexError:
        # if there is no suggestion or search results, the page doesn't exist
        raise PageError(title)
    return WikipediaPage(title, redirect=redirect, preload=preload)
  elif pageid is not None:
    return WikipediaPage(pageid=pageid, preload=preload)
  else:
    raise ValueError("Either a title or a pageid must be specified")

我该怎么做才能只检索那些没有给出错误的页面。也许有一种方法可以过滤掉列表中出现此错误或某种错误的所有项目。对于不存在的页面,返回"NA"或类似内容是可以的。在没有通知的情况下跳过它们也可以。谢谢

如果页面不存在,函数wikipedia.page将引发一个wikipedia.exceptions.PageError。这就是你想要抓住的错误。
import wikipedia
links = ["CPython","no page"]
test=[]
for link in links:
    try:
        #try to load the wikipedia page
        page=wikipedia.page(link, auto_suggest=False)
        test.append(page)
    except wikipedia.exceptions.PageError:
        #if a "PageError" was raised, ignore it and continue to next link
        continue

你必须用try块包围函数wikipedia.page,所以恐怕你不能使用列表理解。

要明白这将是一种糟糕的做法,但对于一次性的快速且肮脏的脚本,您可以:

编辑:等等,对不起。我刚刚注意到列表的理解。事实上,我不确定这是否能在不分解的情况下工作:

links = ["CPython", "no page"]
test = []
for link in links:
    try:
        page = wikipedia.page(link, auto_suggest=False)
        test.append(page)
    except wikipedia.exceptions.PageError:
        pass
test = [testitem.content for testitem in test]
print(test)

pass告诉python基本上要信任你,忽略错误,这样它就可以继续它的日子。

相关内容

  • 没有找到相关文章

最新更新