使用 SpaCy 和 python lambda 提取命名实体

Extract Named Entities using SpaCy and python lambda

我正在使用 代码使用 lambda 提取命名实体。

df['Place'] = df['Text'].apply(lambda x: [entity.text for entity in nlp(x).ents if entity.label_ == 'GPE'])

df['Text'].apply(lambda x: ([entity.text for entity in nlp(x).ents if entity.label_ == 'GPE'] or [''])[0])

对于几百条记录它可以提取结果。但是当涉及到数千条记录时。这几乎需要永远。谁能帮我优化一下这行代码?

您可以通过以下方式改进:

  1. 正在对整个文档列表调用 nlp.pipe
  2. 禁用不必要的管道。

尝试:

import spacy
nlp = spacy.load("en_core_web_md", disable = ["tagger","parser"])

df = pd.DataFrame({"Text":["this is a text about Germany","this is another about Trump"]})

texts = df["Text"].to_list()
ents = []
for doc in nlp.pipe(texts):
    for ent in doc.ents:
        if ent.label_ == "GPE":
            ents.append(ent)
            
print(ents)

[Germany]