1

我有这个:

<span class="ld-nowrap"> 20th century’s </span>

我想得到这个:

<em> 20th century’s </em>

使用 python 3 和 BeautifulSoap

有任何想法吗?

4

2 回答 2

0

您可以使用.replace_with()替换汤内的标签:

from bs4 import BeautifulSoup

html_doc = """
<span class="ld-nowrap"> 20th century’s </span>
"""

soup = BeautifulSoup(html_doc, "html.parser")

# 1. find the <span> tag to replace:
span = soup.find("span", class_="ld-nowrap")

# 2. create new <em> tag with the same contents as <span>
em = soup.new_tag("em")
em.contents = span.contents

# 3. replace the tag inside the tree
span.replace_with(em)
print(soup)

印刷:


<em> 20th century’s </em>


编辑:要替换多个标签:

from bs4 import BeautifulSoup

html_doc = """
<span class="ld-nowrap"> 20th century’s </span>
<span class="ld-nowrap"> 21th century’s </span>
<span> No replace </span>
<span class="ld-nowrap"> 22th century’s </span>
"""

soup = BeautifulSoup(html_doc, "html.parser")

for span in soup.find_all("span", class_="ld-nowrap"):
    em = soup.new_tag("em")
    em.contents = span.contents
    span.replace_with(em)

print(soup)

印刷:


<em> 20th century’s </em>
<em> 21th century’s </em>
<span> No replace </span>
<em> 22th century’s </em>

于 2021-05-08T10:17:24.820 回答
0

你的意思是这样的吗?

soup = '<span class="ld-nowrap"> 20th century’s </span>'

for x in soup.find_all('span', class_= 'ld-nowrap'):
    print('<em>'+x.text+'</em>')
于 2021-05-08T10:07:54.467 回答