5

我是 nlp 的新手,我正在尝试使用 stanford 解析器从文本中提取 (NP) 句子,我想检索文本中标记为 (NP) 的部分

如果一个部分被标记(NP)并且它内部的较小部分也被标记(NP)我想取较小的部分。

到目前为止,我设法通过以下方法完成了我想做的事情:

private static ArrayList<Tree> extract(Tree t) 
{
    ArrayList<Tree> wanted = new ArrayList<Tree>();
   if (t.label().value().equals("NP") )
    {
       wanted.add(t);
        for (Tree child : t.children())
        {
            ArrayList<Tree> temp = new ArrayList<Tree>();
            temp=extract(child);
            if(temp.size()>0)
            {
                int o=-1;
                o=wanted.indexOf(t);
                if(o!=-1)
                    wanted.remove(o);
            }
            wanted.addAll(temp);
        }
    }

    else
        for (Tree child : t.children())
            wanted.addAll(extract(child));
    return wanted;
}

此方法的返回类型是树列表,当我执行以下操作时:

     LexicalizedParser parser = LexicalizedParser.loadModel();
        x = parser.apply("Who owns club barcelona?");
     outs=extract(x);
    for(int i=0;i<outs.size();i++){System.out.println("tree #"+i+": "+outs.get(i));}

是 :

tree #0: (NP (NN club) (NN barcelona))

我希望立即输出"club barcelona",没有标签,我尝试了该.labels();属性,然后.label().value();他们返回标签

4

1 回答 1

10

您可以使用以下命令获取子树 tr 下的单词列表

tr.yield()

您可以使用 Sentence 中的便捷方法将其转换为 String 形式:

Sentence.listToString(tr.yield())

你可以像你一样走一棵树,但如果你要做这种事情很多,你可能想看看tregex,它可以更容易地通过声明性模式找到树中的特定节点,例如NP他们下面没有NP。做你正在寻找的一个巧妙的方法是:

Tree x = lp.apply("Christopher Manning owns club barcelona?");
TregexPattern NPpattern = TregexPattern.compile("@NP !<< @NP");
TregexMatcher matcher = NPpattern.matcher(x);
while (matcher.findNextMatchingNode()) {
  Tree match = matcher.getMatch();
  System.out.println(Sentence.listToString(match.yield()));
}
于 2012-09-21T05:37:13.623 回答