1

我有一个名为城市的字符串列表,其中每个字符串都是一个城市名称,也是维基百科页面的标题。对于每个城市,我都在获取维基百科页面,然后查看它的文本内容:

cities = [(n["name"]) for n in graph.nodes.match("City")]
for city in cities:
       site = pywikibot.Site(code="en", fam="wikivoyage")
       page = pywikibot.Page(site, city)
       text = page.text

我列表中的一个城市是一个名为L'Aquila的地方 ,它没有返回任何文本(而其他条目是)。我想那是因为' 名字中的。所以我过去常常re.sub逃避' 并传入该结果。这给了我我的期望:

cities = [(n["name"]) for n in graph.nodes.match("City")]
city = "L'Aquila"
altered_city = re.sub("'",  "\'", city)
print(altered_city)
site = pywikibot.Site(code="en", fam="wikivoyage")
page = pywikibot.Page(site, altered_city)
print(page)
print(page.text)

结果:

[[wikivoyage:en:L'Aquila]]
{{pagebanner|Pagebanner default.jpg}}
'''L'Aquila''' is the capital of the province of the same name in the region of [[Abruzzo]] in [[Italy]] and is located in the northern part of the..

但问题是我不想硬编码城市名称,我想使用列表中的字符串。当我把它传入时,它不会给我任何 page.text 的结果:

cities = [(n["name"]) for n in graph.nodes.match("City")]
city_from_list = cities[0]
print(city_from_list)
print(type(city_from_list))
altered_city = re.sub("'",  "\'", city_from_list)
site = pywikibot.Site(code="en", fam="wikivoyage")
page = pywikibot.Page(site, altered_city)
print(page)
print(page.text)

结果:

L'Aquila
<class 'str'>
[[wikivoyage:en:L'Aquila]]

我打印出我从列表中获取的城市元素的值和类型,它是一个字符串,所以我不知道为什么它在上面起作用,但在这里不起作用。这些有什么不同?

4

2 回答 2

1

Pywikikbot 按预期适用于 L'Aquila:例如

>>> import pywikibot
>>> site = pywikibot.Site('wikivoyage:en')
>>> page = pywikibot.Page(site, "L'Aquila")
>>> print(page.text[:100])
{{pagebanner|Pagebanner default.jpg}}
'''L'Aquila''' is the capital of the province of the same name

似乎你cities[0]的不同于"L'Aquila". 请注意,page.text总是给出 astr并且从不返回None。您可以使用以下方法检查现有页面exists()

>>> page = pywikibot.Page(site, "L'Aquila")
>>> page.exists()
True
>>> 
于 2021-02-12T17:17:21.630 回答
0

re.sub("'", "\'", city)不做任何事情:

>>> city = "L'Aquila"
>>> re.sub("'",  "\'", city)
"L'Aquila"
>>> city == re.sub("'",  "\'", city)
True

Python 将"\'"其视为"'". 请参阅文档的Lexical analysis # String and Bytes literals中的表格。

我不知道为什么代码的第二部分不适合你,但它应该。也许你只是没有执行最后一行。即使page.text已经返回None,打印语句也要打印None。试试print(type(page.text))

于 2021-02-11T06:14:31.693 回答