Stanford CoreNLP提供NullPointerException
作者:互联网
我正在努力让我了解Stanford CoreNLP API.我希望得到一个简单的句子,使用以下代码将其标记化:
Properties props = new Properties();
props.put("annotators", "tokenize");
StanfordCoreNLP pipeline = new StanfordCoreNLP(props);
// read some text in the text variable
String text = "I wish this code would run.";
// create an empty Annotation just with the given text
Annotation document = new Annotation(text);
// run all Annotators on this text
pipeline.annotate(document);
// these are all the sentences in this document
// a CoreMap is essentially a Map that uses class objects as keys and has values with custom types
List<CoreMap> sentences = document.get(SentencesAnnotation.class);
for(CoreMap sentence: sentences) {
// traversing the words in the current sentence
// a CoreLabel is a CoreMap with additional token-specific methods
for (CoreLabel token: sentence.get(TokensAnnotation.class)) {
// this is the text of the token
String word = token.get(TextAnnotation.class);
// this is the POS tag of the token
String pos = token.get(PartOfSpeechAnnotation.class);
// this is the NER label of the token
String ne = token.get(NamedEntityTagAnnotation.class);
}
// this is the parse tree of the current sentence
Tree tree = sentence.get(TreeAnnotation.class);
// this is the Stanford dependency graph of the current sentence
SemanticGraph dependencies = sentence.get(CollapsedCCProcessedDependenciesAnnotation.class);
}
// This is the coreference link graph
// Each chain stores a set of mentions that link to each other,
// along with a method for getting the most representative mention
// Both sentence and token offsets start at 1!
Map<Integer, CorefChain> graph = document.get(CorefChainAnnotation.class);
这是从Stanford NLP网站本身上摘下来的,所以我希望它能开箱即用.遗憾的是没有,因为它在以下位置给了我NullPointerException:
for(CoreMap sentence: sentences) {...
解决方法:
您从Stanford NLP网站上获得的代码将对text变量执行所有注释.为了执行特定的注释,您必须相应地更改代码.
要执行令牌化,这就足够了
Properties props = new Properties();
props.put("annotators", "tokenize");
StanfordCoreNLP pipeline = new StanfordCoreNLP(props);
Annotation document = new Annotation(text);
pipeline.annotate(document);
for (CoreLabel token: document.get(TokensAnnotation.class)) {
String word = token.get(TextAnnotation.class);
}
如果注释器不包含Sentence Splitter(“ ssplit”),则此行代码将返回Null
document.get(SentencesAnnotation.class);
因此,您遇到了NullPointerException.
标签:stanford-nlp,java 来源: https://codeday.me/bug/20191009/1881055.html