从整个本体中检索实例的同义词

时间:2017-03-07 07:18:07

标签: java owl ontology apache-jena

Individual ind = model.createIndividual("http://www.semanticweb.org/ontologies/Word#Human", isSynonymOf);

    System.out.println( "Synonyms of given instance are:" );

   StmtIterator it =ind.listProperties(isSynonymOf);
    while( it.hasNext() ) {
      Statement stmt = ((StmtIterator) it).nextStatement();
      System.out.println( " * "+stmt.getObject());
    }

输出

Synonyms of given instance are:

  http://www.semanticweb.org/ontologies/Word#Human
  http://www.semanticweb.org//ontologies/Word#Mortal
  http://www.semanticweb.org/ontologies/Word#Person

问题1:我的输出显示整个URI,但我需要输出

 Synonyms of given instance are:
 Human
 Mortal
 Person

问题2:我有26个实例,每次我必须提及它的URI来显示它的同义词。如何从整个本体模型中显示任何实例的同义词,而不是一次又一次地提及URI。我正在使用eclipse Mars 2.0和Jena API

1 个答案:

答案 0 :(得分:2)

  1. 您可以使用REGEX或简单的Java字符串操作来提取#之后的子字符串。注意,最佳实践是提供URI的人类可读表示,而不是在URI中对其进行编码。例如,rdfs:label是这样做的常见属性。

  2. 它只是迭代

    返回的本体的所有个体

    model.listIndividuals()

  3. 一些意见:

    • 您使用的方法createIndividual与预期不符。第二个参数表示一个类,你给它一个属性。请将Javadoc用于将来。
    • 我不明白为什么要将it投射到StmtIterator - 这没有意义
    • 使用listPropertiesValues更方便,因为您只对值感兴趣。
    • 使用Java 8使代码更紧凑
    model.listIndividuals().forEachRemaining(ind -> {
        System.out.println("Synonyms of instance " + ind + " are:");
        ind.listPropertyValues(isSynonymOf).forEachRemaining(val -> {
            System.out.println(" * " + val);
        });
    });
    

    Java 6兼容版本:

    ExtendedIterator<Individual> indIter = model.listIndividuals();
    while(indIter.hasNext()) {
        Individual ind = indIter.next();
        System.out.println("Synonyms of instance " + ind + " are:");
        NodeIterator valueIter = ind.listPropertyValues(isSynonymOf);
        while(valueIter.hasNext()) {
            RDFNode val = valueIter.next();
            System.out.println(" * " + val);
        }
    }