Получить грамматическую связь корневого узла - PullRequest
0 голосов
/ 18 февраля 2019

Я пытаюсь разобрать отчеты медицинских исследований, используя Stanford NLP.Я могу получить GrammaticRelation всех узлов, кроме первого или корневого узла.Как мне получить это значение?

Я написал Java-программу, которая анализирует отчеты по графу зависимостей и может получить дочерние пары всех узлов, кроме корневого узла.

    public void DocAnnotationParse(String Input_text) {
    Annotation document = new Annotation(Input_text);
    Properties props = new Properties();
    //props.setProperty("annotators", "tokenize,ssplit,pos,lemma,ner,parse");
    props.setProperty("annotators", "tokenize,ssplit,pos,parse");
    StanfordCoreNLP pipeline = new StanfordCoreNLP(props);
    pipeline.annotate(document);
    int sentNum = 0;
    Map<String, Map<String, Map<String,IndexedWord>>> sentMap = new LinkedHashMap<>(); // A map contains maps of each sentence
    for (CoreMap sentence : document.get(CoreAnnotations.SentencesAnnotation.class)) {
        SemanticGraph dependencyParse = sentence.get(SemanticGraphCoreAnnotations.BasicDependenciesAnnotation.class);
        IndexedWord firstVertex = dependencyParse.getFirstRoot();
        Map<String, Map<String,IndexedWord>> outterMap = new LinkedHashMap<>();
        RecursiveChild(outterMap, dependencyParse, firstVertex, 0);
        sentMap.put(Integer.toString(++sentNum), outterMap);
        logger.debug("outtermap: "+outterMap);
    }
    logger.debug("all sentMaps: "+sentMap);
    PrettyPrintBySentence(sentMap);
}


public void RecursiveChild(Map<String, Map<String, IndexedWord>> outterMap,
        SemanticGraph dependencyParse, 
        IndexedWord vertex, int hierLevel) {

    Map<String, IndexedWord> pairMap = new LinkedHashMap<>();
    pairMap.put("Root", vertex);
    List<IndexedWord>indxwdsL = dependencyParse.getChildList(vertex);
    List<Pair<GrammaticalRelation,IndexedWord>>childPairs = dependencyParse.childPairs(vertex);
    List<IndexedWord> nxtLevalAL = new ArrayList<>();
    if(!indxwdsL.isEmpty()) {
        ++hierLevel;    
        for(Pair<GrammaticalRelation, IndexedWord> aPair : childPairs) { //at level hierLevel x
            logger.debug(aPair);
            String grammRel = aPair.first.toString(); //Gramatic Relation
            IndexedWord indxwd = aPair.second;
            pairMap.put(grammRel, indxwd);
            List<Pair<GrammaticalRelation,IndexedWord>>childPairs2 = dependencyParse.childPairs(indxwd);
            if(!childPairs2.isEmpty()) {
                nxtLevalAL.add(indxwd);
            }
        }
    }
    String level = Integer.toString(hierLevel);     
    outterMap.put(level, pairMap);
    //Go to each lower level
    for(IndexedWord nxtIwd : nxtLevalAL) {
        RecursiveChild(outterMap, dependencyParse, nxtIwd, hierLevel);
    }
}

ChildPair для корневой вершины не содержит грамматического отношения, которое я хочу.Глядя на граф зависимостей, нет значения, а есть только корень строки.Как я могу получить Грамматическое Отношение для этого узла.Например, простое предложение «Я люблю картофель фри».дает график:

-> love/VBP (root)
  -> I/PRP (nsubj)
  -> fries/NNS (dobj)
    -> French/JJ (amod)
  -> ./. (punct)

1 Ответ

0 голосов
/ 21 февраля 2019

Привет, я не специалист по лингвистике, но я понимаю, что есть просто ROOT узел вне SemanticGraph, и root крайние точки от корня до слова (слов) впредложение.

Таким образом, в вашем примере узел ROOT присоединен к слову love с отношением root.

Если вы посмотрите на код SemanticGraph, он явно заявляет:

* The root is not at present represented as a vertex in the graph.
* At present you need to get a root/roots
* from the separate roots variable and to know about it.

Вы можете получить доступ к списку корней (я думаю, что гипотетически их может быть больше одного?) С помощью метода getRoots().Но я думаю, что все это означает, что ребро root перетекает из узла ROOT в эти слова.

Если вы хотите, чтобы реальный объект Java представлял это, а не String, есть edu.stanford.nlp.trees.GrammaticalRelation.ROOTкоторая представляет эту связь между «поддельным узлом ROOT» и корнями.

  /**
   *  The "root" grammatical relation between a faked "ROOT" node, and the root of the sentence.
   */
  public static final GrammaticalRelation ROOT =
    new GrammaticalRelation(Language.Any, "root", "root", null);
...