当标题有未转义的撇号 (') 时,如何使用 pywikibot.Page(site, title).text?

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

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",altered_city)
print(page)
print(page.text)

结果:

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

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

xue5227980 回答:当标题有未转义的撇号 (') 时,如何使用 pywikibot.Page(site, title).text?

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

,

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 总是给出一个 str 并且从不返回 None。您可以使用 exists() 方法检查现有页面:

>>> page = pywikibot.Page(site,"L'Aquila")
>>> page.exists()
True
>>> 
本文链接:https://www.f2er.com/944231.html

大家都在问