我想测试一个单词是单数还是复数。给定类似“她”或“我们的”的单词,两个单词共享语音标签的同一部分(“ PRP $”)。有没有一种简单的方法可以通过令牌来说明?
答案 0 :(得分:0)
他是一个解析句子的示例,并针对找到的每个标记确定单数还是复数。基本上,这个想法是使用lemmatisation功能:
import java.util.List;
import java.util.Properties;
import edu.stanford.nlp.ling.CoreAnnotations.SentencesAnnotation;
import edu.stanford.nlp.ling.CoreAnnotations.TokensAnnotation;
import edu.stanford.nlp.ling.CoreLabel;
import edu.stanford.nlp.pipeline.Annotation;
import edu.stanford.nlp.pipeline.StanfordCoreNLP;
import edu.stanford.nlp.util.CoreMap;
public class StanfordLemmatizer {
protected StanfordCoreNLP pipeline;
public StanfordLemmatizer() {
// Create StanfordCoreNLP object properties, with POS tagging
// (required for lemmatization), and lemmatization
Properties props;
props = new Properties();
props.put("annotators", "tokenize, ssplit, pos, lemma");
// StanfordCoreNLP loads a lot of models, so you probably
// only want to do this once per execution
this.pipeline = new StanfordCoreNLP(props);
}
public void lemmatize(String documentText) {
// create an empty Annotation just with the given text
Annotation document = new Annotation(documentText);
// run all Annotators on this text
this.pipeline.annotate(document);
// Iterate over all of the sentences found
List<CoreMap> sentences = document.get(SentencesAnnotation.class);
for (CoreMap sentence : sentences) {
// Iterate over all tokens in a sentence
for (CoreLabel token : sentence.get(TokensAnnotation.class)) {
String lemma = token.lemma();
if (lemma != null) {
System.out.println("Lemma: " + lemma);
String originalText = token.originalText();
System.out.print("Token: '" + originalText + "'");
if (lemma.equalsIgnoreCase(originalText)) {
System.out.println(" is singular");
} else {
System.out.println(" is plural");
}
}
}
}
}
public static void main(String[] args) {
StanfordLemmatizer lemmatizer = new StanfordLemmatizer();
lemmatizer.lemmatize("The only creatures that are evolved enough to convey pure love are dogs and infants");
}
}