2019-02-10 14:14:51 +03:00
|
|
|
# coding: utf8
|
|
|
|
from __future__ import unicode_literals
|
|
|
|
|
2019-10-27 15:35:49 +03:00
|
|
|
from ..language import component
|
2019-02-10 14:14:51 +03:00
|
|
|
from ..matcher import Matcher
|
|
|
|
|
|
|
|
|
2019-10-27 15:35:49 +03:00
|
|
|
@component(
|
|
|
|
"merge_noun_chunks",
|
|
|
|
requires=["token.dep", "token.tag", "token.pos"],
|
|
|
|
retokenizes=True,
|
|
|
|
)
|
2019-02-10 14:14:51 +03:00
|
|
|
def merge_noun_chunks(doc):
|
|
|
|
"""Merge noun chunks into a single token.
|
|
|
|
|
|
|
|
doc (Doc): The Doc object.
|
|
|
|
RETURNS (Doc): The Doc object with merged noun chunks.
|
2019-03-08 13:42:26 +03:00
|
|
|
|
|
|
|
DOCS: https://spacy.io/api/pipeline-functions#merge_noun_chunks
|
2019-02-10 14:14:51 +03:00
|
|
|
"""
|
|
|
|
if not doc.is_parsed:
|
|
|
|
return doc
|
2019-02-15 12:29:44 +03:00
|
|
|
with doc.retokenize() as retokenizer:
|
|
|
|
for np in doc.noun_chunks:
|
|
|
|
attrs = {"tag": np.root.tag, "dep": np.root.dep}
|
|
|
|
retokenizer.merge(np, attrs=attrs)
|
2019-02-10 14:14:51 +03:00
|
|
|
return doc
|
|
|
|
|
|
|
|
|
2019-10-27 15:35:49 +03:00
|
|
|
@component(
|
|
|
|
"merge_entities",
|
|
|
|
requires=["doc.ents", "token.ent_iob", "token.ent_type"],
|
|
|
|
retokenizes=True,
|
|
|
|
)
|
2019-02-10 14:14:51 +03:00
|
|
|
def merge_entities(doc):
|
|
|
|
"""Merge entities into a single token.
|
|
|
|
|
|
|
|
doc (Doc): The Doc object.
|
2019-03-08 13:42:26 +03:00
|
|
|
RETURNS (Doc): The Doc object with merged entities.
|
|
|
|
|
|
|
|
DOCS: https://spacy.io/api/pipeline-functions#merge_entities
|
2019-02-10 14:14:51 +03:00
|
|
|
"""
|
2019-02-15 12:29:44 +03:00
|
|
|
with doc.retokenize() as retokenizer:
|
|
|
|
for ent in doc.ents:
|
|
|
|
attrs = {"tag": ent.root.tag, "dep": ent.root.dep, "ent_type": ent.label}
|
|
|
|
retokenizer.merge(ent, attrs=attrs)
|
2019-02-10 14:14:51 +03:00
|
|
|
return doc
|
|
|
|
|
|
|
|
|
2019-10-27 15:35:49 +03:00
|
|
|
@component("merge_subtokens", requires=["token.dep"], retokenizes=True)
|
2019-02-10 14:14:51 +03:00
|
|
|
def merge_subtokens(doc, label="subtok"):
|
2019-03-08 13:42:26 +03:00
|
|
|
"""Merge subtokens into a single token.
|
|
|
|
|
|
|
|
doc (Doc): The Doc object.
|
|
|
|
label (unicode): The subtoken dependency label.
|
|
|
|
RETURNS (Doc): The Doc object with merged subtokens.
|
|
|
|
|
|
|
|
DOCS: https://spacy.io/api/pipeline-functions#merge_subtokens
|
|
|
|
"""
|
2019-02-10 14:14:51 +03:00
|
|
|
merger = Matcher(doc.vocab)
|
|
|
|
merger.add("SUBTOK", None, [{"DEP": label, "op": "+"}])
|
|
|
|
matches = merger(doc)
|
|
|
|
spans = [doc[start : end + 1] for _, start, end in matches]
|
2019-02-15 12:29:44 +03:00
|
|
|
with doc.retokenize() as retokenizer:
|
|
|
|
for span in spans:
|
|
|
|
retokenizer.merge(span)
|
2019-02-10 14:14:51 +03:00
|
|
|
return doc
|