2020-03-02 13:48:10 +03:00
|
|
|
# cython: infer_types=True, profile=True
|
2019-02-07 11:42:25 +03:00
|
|
|
from cymem.cymem cimport Pool
|
|
|
|
from preshed.maps cimport PreshMap
|
2020-03-02 13:48:10 +03:00
|
|
|
from libcpp cimport bool
|
|
|
|
|
|
|
|
import numpy
|
2019-02-07 11:42:25 +03:00
|
|
|
|
|
|
|
from .matcher cimport Matcher
|
|
|
|
from ..vocab cimport Vocab
|
|
|
|
from ..tokens.doc cimport Doc
|
|
|
|
|
|
|
|
from .matcher import unpickle_matcher
|
|
|
|
from ..errors import Errors
|
|
|
|
|
|
|
|
|
2019-03-08 13:42:26 +03:00
|
|
|
DELIMITER = "||"
|
2019-02-07 11:42:25 +03:00
|
|
|
INDEX_HEAD = 1
|
|
|
|
INDEX_RELOP = 0
|
|
|
|
|
|
|
|
|
2019-06-16 14:25:32 +03:00
|
|
|
cdef class DependencyMatcher:
|
2019-02-07 11:42:25 +03:00
|
|
|
"""Match dependency parse tree based on pattern rules."""
|
|
|
|
cdef Pool mem
|
|
|
|
cdef readonly Vocab vocab
|
|
|
|
cdef readonly Matcher token_matcher
|
|
|
|
cdef public object _patterns
|
|
|
|
cdef public object _keys_to_token
|
|
|
|
cdef public object _root
|
|
|
|
cdef public object _entities
|
|
|
|
cdef public object _callbacks
|
|
|
|
cdef public object _nodes
|
|
|
|
cdef public object _tree
|
|
|
|
|
|
|
|
def __init__(self, vocab):
|
2019-06-16 14:25:32 +03:00
|
|
|
"""Create the DependencyMatcher.
|
2019-02-07 11:42:25 +03:00
|
|
|
|
|
|
|
vocab (Vocab): The vocabulary object, which must be shared with the
|
|
|
|
documents the matcher will operate on.
|
|
|
|
"""
|
|
|
|
size = 20
|
2019-12-25 14:39:49 +03:00
|
|
|
# TODO: make matcher work with validation
|
|
|
|
self.token_matcher = Matcher(vocab, validate=False)
|
2019-02-07 11:42:25 +03:00
|
|
|
self._keys_to_token = {}
|
|
|
|
self._patterns = {}
|
|
|
|
self._root = {}
|
|
|
|
self._nodes = {}
|
|
|
|
self._tree = {}
|
|
|
|
self._entities = {}
|
|
|
|
self._callbacks = {}
|
|
|
|
self.vocab = vocab
|
|
|
|
self.mem = Pool()
|
|
|
|
|
|
|
|
def __reduce__(self):
|
|
|
|
data = (self.vocab, self._patterns,self._tree, self._callbacks)
|
|
|
|
return (unpickle_matcher, data, None, None)
|
|
|
|
|
|
|
|
def __len__(self):
|
2019-03-08 13:42:26 +03:00
|
|
|
"""Get the number of rules, which are edges, added to the dependency
|
|
|
|
tree matcher.
|
2019-02-07 11:42:25 +03:00
|
|
|
|
|
|
|
RETURNS (int): The number of rules.
|
|
|
|
"""
|
|
|
|
return len(self._patterns)
|
|
|
|
|
|
|
|
def __contains__(self, key):
|
|
|
|
"""Check whether the matcher contains rules for a match ID.
|
|
|
|
|
2020-05-24 18:20:58 +03:00
|
|
|
key (str): The match ID.
|
2019-02-07 11:42:25 +03:00
|
|
|
RETURNS (bool): Whether the matcher contains rules for this match ID.
|
|
|
|
"""
|
|
|
|
return self._normalize_key(key) in self._patterns
|
|
|
|
|
|
|
|
def validateInput(self, pattern, key):
|
|
|
|
idx = 0
|
|
|
|
visitedNodes = {}
|
|
|
|
for relation in pattern:
|
2019-03-08 13:42:26 +03:00
|
|
|
if "PATTERN" not in relation or "SPEC" not in relation:
|
2019-02-07 11:42:25 +03:00
|
|
|
raise ValueError(Errors.E098.format(key=key))
|
|
|
|
if idx == 0:
|
2019-03-08 13:42:26 +03:00
|
|
|
if not(
|
|
|
|
"NODE_NAME" in relation["SPEC"]
|
|
|
|
and "NBOR_RELOP" not in relation["SPEC"]
|
|
|
|
and "NBOR_NAME" not in relation["SPEC"]
|
|
|
|
):
|
2019-02-07 11:42:25 +03:00
|
|
|
raise ValueError(Errors.E099.format(key=key))
|
2019-03-08 13:42:26 +03:00
|
|
|
visitedNodes[relation["SPEC"]["NODE_NAME"]] = True
|
2019-02-07 11:42:25 +03:00
|
|
|
else:
|
2019-03-08 13:42:26 +03:00
|
|
|
if not(
|
|
|
|
"NODE_NAME" in relation["SPEC"]
|
|
|
|
and "NBOR_RELOP" in relation["SPEC"]
|
|
|
|
and "NBOR_NAME" in relation["SPEC"]
|
|
|
|
):
|
2019-02-07 11:42:25 +03:00
|
|
|
raise ValueError(Errors.E100.format(key=key))
|
2019-03-08 13:42:26 +03:00
|
|
|
if (
|
|
|
|
relation["SPEC"]["NODE_NAME"] in visitedNodes
|
|
|
|
or relation["SPEC"]["NBOR_NAME"] not in visitedNodes
|
|
|
|
):
|
2019-02-07 11:42:25 +03:00
|
|
|
raise ValueError(Errors.E101.format(key=key))
|
2019-03-08 13:42:26 +03:00
|
|
|
visitedNodes[relation["SPEC"]["NODE_NAME"]] = True
|
|
|
|
visitedNodes[relation["SPEC"]["NBOR_NAME"]] = True
|
2019-02-07 11:42:25 +03:00
|
|
|
idx = idx + 1
|
|
|
|
|
2019-10-25 23:21:08 +03:00
|
|
|
def add(self, key, patterns, *_patterns, on_match=None):
|
|
|
|
if patterns is None or hasattr(patterns, "__call__"): # old API
|
|
|
|
on_match = patterns
|
|
|
|
patterns = _patterns
|
2019-02-07 11:42:25 +03:00
|
|
|
for pattern in patterns:
|
|
|
|
if len(pattern) == 0:
|
|
|
|
raise ValueError(Errors.E012.format(key=key))
|
|
|
|
self.validateInput(pattern,key)
|
|
|
|
key = self._normalize_key(key)
|
|
|
|
_patterns = []
|
|
|
|
for pattern in patterns:
|
|
|
|
token_patterns = []
|
|
|
|
for i in range(len(pattern)):
|
2019-03-08 13:42:26 +03:00
|
|
|
token_pattern = [pattern[i]["PATTERN"]]
|
2019-02-07 11:42:25 +03:00
|
|
|
token_patterns.append(token_pattern)
|
|
|
|
# self.patterns.append(token_patterns)
|
|
|
|
_patterns.append(token_patterns)
|
|
|
|
self._patterns.setdefault(key, [])
|
|
|
|
self._callbacks[key] = on_match
|
|
|
|
self._patterns[key].extend(_patterns)
|
2019-03-08 13:42:26 +03:00
|
|
|
# Add each node pattern of all the input patterns individually to the
|
|
|
|
# matcher. This enables only a single instance of Matcher to be used.
|
2019-02-07 11:42:25 +03:00
|
|
|
# Multiple adds are required to track each node pattern.
|
|
|
|
_keys_to_token_list = []
|
|
|
|
for i in range(len(_patterns)):
|
|
|
|
_keys_to_token = {}
|
2019-03-08 13:42:26 +03:00
|
|
|
# TODO: Better ways to hash edges in pattern?
|
2019-02-07 11:42:25 +03:00
|
|
|
for j in range(len(_patterns[i])):
|
2019-03-08 13:42:26 +03:00
|
|
|
k = self._normalize_key(unicode(key) + DELIMITER + unicode(i) + DELIMITER + unicode(j))
|
2019-12-25 14:39:49 +03:00
|
|
|
self.token_matcher.add(k, [_patterns[i][j]])
|
2019-02-07 11:42:25 +03:00
|
|
|
_keys_to_token[k] = j
|
|
|
|
_keys_to_token_list.append(_keys_to_token)
|
|
|
|
self._keys_to_token.setdefault(key, [])
|
|
|
|
self._keys_to_token[key].extend(_keys_to_token_list)
|
|
|
|
_nodes_list = []
|
|
|
|
for pattern in patterns:
|
|
|
|
nodes = {}
|
|
|
|
for i in range(len(pattern)):
|
2019-03-08 13:42:26 +03:00
|
|
|
nodes[pattern[i]["SPEC"]["NODE_NAME"]] = i
|
2019-02-07 11:42:25 +03:00
|
|
|
_nodes_list.append(nodes)
|
|
|
|
self._nodes.setdefault(key, [])
|
|
|
|
self._nodes[key].extend(_nodes_list)
|
2019-03-08 13:42:26 +03:00
|
|
|
# Create an object tree to traverse later on. This data structure
|
|
|
|
# enables easy tree pattern match. Doc-Token based tree cannot be
|
|
|
|
# reused since it is memory-heavy and tightly coupled with the Doc.
|
|
|
|
self.retrieve_tree(patterns, _nodes_list,key)
|
2019-02-07 11:42:25 +03:00
|
|
|
|
2019-03-08 13:42:26 +03:00
|
|
|
def retrieve_tree(self, patterns, _nodes_list, key):
|
2019-02-07 11:42:25 +03:00
|
|
|
_heads_list = []
|
|
|
|
_root_list = []
|
|
|
|
for i in range(len(patterns)):
|
|
|
|
heads = {}
|
|
|
|
root = -1
|
|
|
|
for j in range(len(patterns[i])):
|
|
|
|
token_pattern = patterns[i][j]
|
2019-03-08 13:42:26 +03:00
|
|
|
if ("NBOR_RELOP" not in token_pattern["SPEC"]):
|
|
|
|
heads[j] = ('root', j)
|
2019-02-07 11:42:25 +03:00
|
|
|
root = j
|
|
|
|
else:
|
2019-03-08 13:42:26 +03:00
|
|
|
heads[j] = (
|
|
|
|
token_pattern["SPEC"]["NBOR_RELOP"],
|
|
|
|
_nodes_list[i][token_pattern["SPEC"]["NBOR_NAME"]]
|
|
|
|
)
|
2019-02-07 11:42:25 +03:00
|
|
|
_heads_list.append(heads)
|
|
|
|
_root_list.append(root)
|
|
|
|
_tree_list = []
|
|
|
|
for i in range(len(patterns)):
|
|
|
|
tree = {}
|
|
|
|
for j in range(len(patterns[i])):
|
|
|
|
if(_heads_list[i][j][INDEX_HEAD] == j):
|
|
|
|
continue
|
|
|
|
head = _heads_list[i][j][INDEX_HEAD]
|
|
|
|
if(head not in tree):
|
|
|
|
tree[head] = []
|
2019-03-08 13:42:26 +03:00
|
|
|
tree[head].append((_heads_list[i][j][INDEX_RELOP], j))
|
2019-02-07 11:42:25 +03:00
|
|
|
_tree_list.append(tree)
|
|
|
|
self._tree.setdefault(key, [])
|
|
|
|
self._tree[key].extend(_tree_list)
|
|
|
|
self._root.setdefault(key, [])
|
|
|
|
self._root[key].extend(_root_list)
|
|
|
|
|
|
|
|
def has_key(self, key):
|
|
|
|
"""Check whether the matcher has a rule with a given key.
|
|
|
|
|
|
|
|
key (string or int): The key to check.
|
|
|
|
RETURNS (bool): Whether the matcher has the rule.
|
|
|
|
"""
|
|
|
|
key = self._normalize_key(key)
|
|
|
|
return key in self._patterns
|
|
|
|
|
|
|
|
def get(self, key, default=None):
|
|
|
|
"""Retrieve the pattern stored for a key.
|
|
|
|
|
2020-05-24 19:51:10 +03:00
|
|
|
key (str / int): The key to retrieve.
|
2019-02-07 11:42:25 +03:00
|
|
|
RETURNS (tuple): The rule, as an (on_match, patterns) tuple.
|
|
|
|
"""
|
|
|
|
key = self._normalize_key(key)
|
|
|
|
if key not in self._patterns:
|
|
|
|
return default
|
|
|
|
return (self._callbacks[key], self._patterns[key])
|
|
|
|
|
|
|
|
def __call__(self, Doc doc):
|
2019-06-16 14:25:32 +03:00
|
|
|
matched_key_trees = []
|
2019-02-07 11:42:25 +03:00
|
|
|
matches = self.token_matcher(doc)
|
|
|
|
for key in list(self._patterns.keys()):
|
|
|
|
_patterns_list = self._patterns[key]
|
|
|
|
_keys_to_token_list = self._keys_to_token[key]
|
|
|
|
_root_list = self._root[key]
|
|
|
|
_tree_list = self._tree[key]
|
|
|
|
_nodes_list = self._nodes[key]
|
|
|
|
length = len(_patterns_list)
|
|
|
|
for i in range(length):
|
|
|
|
_keys_to_token = _keys_to_token_list[i]
|
|
|
|
_root = _root_list[i]
|
|
|
|
_tree = _tree_list[i]
|
|
|
|
_nodes = _nodes_list[i]
|
|
|
|
id_to_position = {}
|
|
|
|
for i in range(len(_nodes)):
|
|
|
|
id_to_position[i]=[]
|
2019-03-08 13:42:26 +03:00
|
|
|
# TODO: This could be taken outside to improve running time..?
|
2019-02-07 11:42:25 +03:00
|
|
|
for match_id, start, end in matches:
|
|
|
|
if match_id in _keys_to_token:
|
|
|
|
id_to_position[_keys_to_token[match_id]].append(start)
|
2019-03-08 13:42:26 +03:00
|
|
|
_node_operator_map = self.get_node_operator_map(
|
|
|
|
doc,
|
|
|
|
_tree,
|
|
|
|
id_to_position,
|
|
|
|
_nodes,_root
|
|
|
|
)
|
2019-02-07 11:42:25 +03:00
|
|
|
length = len(_nodes)
|
2019-06-16 14:25:32 +03:00
|
|
|
|
|
|
|
matched_trees = []
|
|
|
|
self.recurse(_tree,id_to_position,_node_operator_map,0,[],matched_trees)
|
|
|
|
matched_key_trees.append((key,matched_trees))
|
|
|
|
|
|
|
|
for i, (ent_id, nodes) in enumerate(matched_key_trees):
|
2019-02-07 11:42:25 +03:00
|
|
|
on_match = self._callbacks.get(ent_id)
|
|
|
|
if on_match is not None:
|
Generalize handling of tokenizer special cases (#4259)
* Generalize handling of tokenizer special cases
Handle tokenizer special cases more generally by using the Matcher
internally to match special cases after the affix/token_match
tokenization is complete.
Instead of only matching special cases while processing balanced or
nearly balanced prefixes and suffixes, this recognizes special cases in
a wider range of contexts:
* Allows arbitrary numbers of prefixes/affixes around special cases
* Allows special cases separated by infixes
Existing tests/settings that couldn't be preserved as before:
* The emoticon '")' is no longer a supported special case
* The emoticon ':)' in "example:)" is a false positive again
When merged with #4258 (or the relevant cache bugfix), the affix and
token_match properties should be modified to flush and reload all
special cases to use the updated internal tokenization with the Matcher.
* Remove accidentally added test case
* Really remove accidentally added test
* Reload special cases when necessary
Reload special cases when affixes or token_match are modified. Skip
reloading during initialization.
* Update error code number
* Fix offset and whitespace in Matcher special cases
* Fix offset bugs when merging and splitting tokens
* Set final whitespace on final token in inserted special case
* Improve cache flushing in tokenizer
* Separate cache and specials memory (temporarily)
* Flush cache when adding special cases
* Repeated `self._cache = PreshMap()` and `self._specials = PreshMap()`
are necessary due to this bug:
https://github.com/explosion/preshed/issues/21
* Remove reinitialized PreshMaps on cache flush
* Update UD bin scripts
* Update imports for `bin/`
* Add all currently supported languages
* Update subtok merger for new Matcher validation
* Modify blinded check to look at tokens instead of lemmas (for corpora
with tokens but not lemmas like Telugu)
* Use special Matcher only for cases with affixes
* Reinsert specials cache checks during normal tokenization for special
cases as much as possible
* Additionally include specials cache checks while splitting on infixes
* Since the special Matcher needs consistent affix-only tokenization
for the special cases themselves, introduce the argument
`with_special_cases` in order to do tokenization with or without
specials cache checks
* After normal tokenization, postprocess with special cases Matcher for
special cases containing affixes
* Replace PhraseMatcher with Aho-Corasick
Replace PhraseMatcher with the Aho-Corasick algorithm over numpy arrays
of the hash values for the relevant attribute. The implementation is
based on FlashText.
The speed should be similar to the previous PhraseMatcher. It is now
possible to easily remove match IDs and matches don't go missing with
large keyword lists / vocabularies.
Fixes #4308.
* Restore support for pickling
* Fix internal keyword add/remove for numpy arrays
* Add test for #4248, clean up test
* Improve efficiency of special cases handling
* Use PhraseMatcher instead of Matcher
* Improve efficiency of merging/splitting special cases in document
* Process merge/splits in one pass without repeated token shifting
* Merge in place if no splits
* Update error message number
* Remove UD script modifications
Only used for timing/testing, should be a separate PR
* Remove final traces of UD script modifications
* Update UD bin scripts
* Update imports for `bin/`
* Add all currently supported languages
* Update subtok merger for new Matcher validation
* Modify blinded check to look at tokens instead of lemmas (for corpora
with tokens but not lemmas like Telugu)
* Add missing loop for match ID set in search loop
* Remove cruft in matching loop for partial matches
There was a bit of unnecessary code left over from FlashText in the
matching loop to handle partial token matches, which we don't have with
PhraseMatcher.
* Replace dict trie with MapStruct trie
* Fix how match ID hash is stored/added
* Update fix for match ID vocab
* Switch from map_get_unless_missing to map_get
* Switch from numpy array to Token.get_struct_attr
Access token attributes directly in Doc instead of making a copy of the
relevant values in a numpy array.
Add unsatisfactory warning for hash collision with reserved terminal
hash key. (Ideally it would change the reserved terminal hash and redo
the whole trie, but for now, I'm hoping there won't be collisions.)
* Restructure imports to export find_matches
* Implement full remove()
Remove unnecessary trie paths and free unused maps.
Parallel to Matcher, raise KeyError when attempting to remove a match ID
that has not been added.
* Switch to PhraseMatcher.find_matches
* Switch to local cdef functions for span filtering
* Switch special case reload threshold to variable
Refer to variable instead of hard-coded threshold
* Move more of special case retokenize to cdef nogil
Move as much of the special case retokenization to nogil as possible.
* Rewrap sort as stdsort for OS X
* Rewrap stdsort with specific types
* Switch to qsort
* Fix merge
* Improve cmp functions
* Fix realloc
* Fix realloc again
* Initialize span struct while retokenizing
* Temporarily skip retokenizing
* Revert "Move more of special case retokenize to cdef nogil"
This reverts commit 0b7e52c797cd8ff1548f214bd4186ebb3a7ce8b1.
* Revert "Switch to qsort"
This reverts commit a98d71a942fc9bca531cf5eb05cf89fa88153b60.
* Fix specials check while caching
* Modify URL test with emoticons
The multiple suffix tests result in the emoticon `:>`, which is now
retokenized into one token as a special case after the suffixes are
split off.
* Refactor _apply_special_cases()
* Use cdef ints for span info used in multiple spots
* Modify _filter_special_spans() to prefer earlier
Parallel to #4414, modify _filter_special_spans() so that the earlier
span is preferred for overlapping spans of the same length.
* Replace MatchStruct with Entity
Replace MatchStruct with Entity since the existing Entity struct is
nearly identical.
* Replace Entity with more general SpanC
* Replace MatchStruct with SpanC
* Add error in debug-data if no dev docs are available (see #4575)
* Update azure-pipelines.yml
* Revert "Update azure-pipelines.yml"
This reverts commit ed1060cf59e5895b5fe92ad5b894fd1078ec4c49.
* Use latest wasabi
* Reorganise install_requires
* add dframcy to universe.json (#4580)
* Update universe.json [ci skip]
* Fix multiprocessing for as_tuples=True (#4582)
* Fix conllu script (#4579)
* force extensions to avoid clash between example scripts
* fix arg order and default file encoding
* add example config for conllu script
* newline
* move extension definitions to main function
* few more encodings fixes
* Add load_from_docbin example [ci skip]
TODO: upload the file somewhere
* Update README.md
* Add warnings about 3.8 (resolves #4593) [ci skip]
* Fixed typo: Added space between "recognize" and "various" (#4600)
* Fix DocBin.merge() example (#4599)
* Replace function registries with catalogue (#4584)
* Replace functions registries with catalogue
* Update __init__.py
* Fix test
* Revert unrelated flag [ci skip]
* Bugfix/dep matcher issue 4590 (#4601)
* add contributor agreement for prilopes
* add test for issue #4590
* fix on_match params for DependencyMacther (#4590)
* Minor updates to language example sentences (#4608)
* Add punctuation to Spanish example sentences
* Combine multilanguage examples for lang xx
* Add punctuation to nb examples
* Always realloc to a larger size
Avoid potential (unlikely) edge case and cymem error seen in #4604.
* Add error in debug-data if no dev docs are available (see #4575)
* Update debug-data for GoldCorpus / Example
* Ignore None label in misaligned NER data
2019-11-13 23:24:35 +03:00
|
|
|
on_match(self, doc, i, matched_key_trees)
|
2019-06-16 14:25:32 +03:00
|
|
|
return matched_key_trees
|
|
|
|
|
|
|
|
def recurse(self,tree,id_to_position,_node_operator_map,int patternLength,visitedNodes,matched_trees):
|
|
|
|
cdef bool isValid;
|
|
|
|
if(patternLength == len(id_to_position.keys())):
|
|
|
|
isValid = True
|
|
|
|
for node in range(patternLength):
|
|
|
|
if(node in tree):
|
|
|
|
for idx, (relop,nbor) in enumerate(tree[node]):
|
|
|
|
computed_nbors = numpy.asarray(_node_operator_map[visitedNodes[node]][relop])
|
|
|
|
isNbor = False
|
|
|
|
for computed_nbor in computed_nbors:
|
|
|
|
if(computed_nbor.i == visitedNodes[nbor]):
|
|
|
|
isNbor = True
|
|
|
|
isValid = isValid & isNbor
|
|
|
|
if(isValid):
|
|
|
|
matched_trees.append(visitedNodes)
|
|
|
|
return
|
|
|
|
allPatternNodes = numpy.asarray(id_to_position[patternLength])
|
|
|
|
for patternNode in allPatternNodes:
|
|
|
|
self.recurse(tree,id_to_position,_node_operator_map,patternLength+1,visitedNodes+[patternNode],matched_trees)
|
2019-02-07 11:42:25 +03:00
|
|
|
|
|
|
|
# Given a node and an edge operator, to return the list of nodes
|
|
|
|
# from the doc that belong to node+operator. This is used to store
|
|
|
|
# all the results beforehand to prevent unnecessary computation while
|
|
|
|
# pattern matching
|
|
|
|
# _node_operator_map[node][operator] = [...]
|
|
|
|
def get_node_operator_map(self,doc,tree,id_to_position,nodes,root):
|
|
|
|
_node_operator_map = {}
|
|
|
|
all_node_indices = nodes.values()
|
|
|
|
all_operators = []
|
|
|
|
for node in all_node_indices:
|
|
|
|
if node in tree:
|
|
|
|
for child in tree[node]:
|
|
|
|
all_operators.append(child[INDEX_RELOP])
|
|
|
|
all_operators = list(set(all_operators))
|
|
|
|
all_nodes = []
|
|
|
|
for node in all_node_indices:
|
|
|
|
all_nodes = all_nodes + id_to_position[node]
|
|
|
|
all_nodes = list(set(all_nodes))
|
|
|
|
for node in all_nodes:
|
|
|
|
_node_operator_map[node] = {}
|
|
|
|
for operator in all_operators:
|
|
|
|
_node_operator_map[node][operator] = []
|
|
|
|
# Used to invoke methods for each operator
|
|
|
|
switcher = {
|
2019-03-08 13:42:26 +03:00
|
|
|
"<": self.dep,
|
|
|
|
">": self.gov,
|
2019-06-16 14:25:32 +03:00
|
|
|
"<<": self.dep_chain,
|
|
|
|
">>": self.gov_chain,
|
2019-03-08 13:42:26 +03:00
|
|
|
".": self.imm_precede,
|
|
|
|
"$+": self.imm_right_sib,
|
|
|
|
"$-": self.imm_left_sib,
|
|
|
|
"$++": self.right_sib,
|
|
|
|
"$--": self.left_sib
|
2019-02-07 11:42:25 +03:00
|
|
|
}
|
|
|
|
for operator in all_operators:
|
|
|
|
for node in all_nodes:
|
|
|
|
_node_operator_map[node][operator] = switcher.get(operator)(doc,node)
|
|
|
|
return _node_operator_map
|
|
|
|
|
2019-03-08 13:42:26 +03:00
|
|
|
def dep(self, doc, node):
|
2019-06-16 14:25:32 +03:00
|
|
|
return [doc[node].head]
|
2019-02-07 11:42:25 +03:00
|
|
|
|
|
|
|
def gov(self,doc,node):
|
|
|
|
return list(doc[node].children)
|
|
|
|
|
2019-03-08 13:42:26 +03:00
|
|
|
def dep_chain(self, doc, node):
|
2019-02-07 11:42:25 +03:00
|
|
|
return list(doc[node].ancestors)
|
|
|
|
|
2019-03-08 13:42:26 +03:00
|
|
|
def gov_chain(self, doc, node):
|
2019-02-07 11:42:25 +03:00
|
|
|
return list(doc[node].subtree)
|
|
|
|
|
2019-03-08 13:42:26 +03:00
|
|
|
def imm_precede(self, doc, node):
|
|
|
|
if node > 0:
|
|
|
|
return [doc[node - 1]]
|
2019-02-07 11:42:25 +03:00
|
|
|
return []
|
|
|
|
|
2019-03-08 13:42:26 +03:00
|
|
|
def imm_right_sib(self, doc, node):
|
2019-06-16 14:25:32 +03:00
|
|
|
for child in list(doc[node].head.children):
|
|
|
|
if child.i == node - 1:
|
|
|
|
return [doc[child.i]]
|
2019-02-07 11:42:25 +03:00
|
|
|
return []
|
|
|
|
|
2019-03-08 13:42:26 +03:00
|
|
|
def imm_left_sib(self, doc, node):
|
2019-06-16 14:25:32 +03:00
|
|
|
for child in list(doc[node].head.children):
|
|
|
|
if child.i == node + 1:
|
|
|
|
return [doc[child.i]]
|
2019-02-07 11:42:25 +03:00
|
|
|
return []
|
|
|
|
|
2019-03-08 13:42:26 +03:00
|
|
|
def right_sib(self, doc, node):
|
2019-02-07 11:42:25 +03:00
|
|
|
candidate_children = []
|
2019-06-16 14:25:32 +03:00
|
|
|
for child in list(doc[node].head.children):
|
|
|
|
if child.i < node:
|
|
|
|
candidate_children.append(doc[child.i])
|
2019-02-07 11:42:25 +03:00
|
|
|
return candidate_children
|
|
|
|
|
2019-03-08 13:42:26 +03:00
|
|
|
def left_sib(self, doc, node):
|
2019-02-07 11:42:25 +03:00
|
|
|
candidate_children = []
|
2019-06-16 14:25:32 +03:00
|
|
|
for child in list(doc[node].head.children):
|
|
|
|
if child.i > node:
|
|
|
|
candidate_children.append(doc[child.i])
|
2019-02-07 11:42:25 +03:00
|
|
|
return candidate_children
|
|
|
|
|
|
|
|
def _normalize_key(self, key):
|
|
|
|
if isinstance(key, basestring):
|
|
|
|
return self.vocab.strings.add(key)
|
|
|
|
else:
|
|
|
|
return key
|