我在我的本体hasAuthor
中定义了一个多值对象属性literature
。有一个book-1
个人hasAuthor
是writer-1
和writer-2
。如果我想获得book-1
的作者,我可以写一些类似
Resource r; // r represents the individual book-1
r.getRequiredProperty(literature.hasAuthor).getObject().toString();
或
r.getPropertyResourceValue(literature.hasAuthor).toString();
但是它们都只返回第一个值writer-1
,而忽略了writer-2
。
如何修改我的代码以获取所有作者?
答案 0 :(得分:2)
通常,get *操作获取单个项目,list *返回多个事物的迭代器。
使用.listProperties(property) - > StmtIterator。
答案 1 :(得分:2)
Jena Resource
有一个方法listProperties
,您可以使用该方法迭代以资源为主题且具有给定属性的语句。这是一个描述RDF Primer及其两个编辑器的示例(在此示例中称为作者,为了与您的示例对齐)。
public class MultipleProperties {
public static void main(String[] args) {
String ns = "http://www.example.com/";
Model model = ModelFactory.createDefaultModel();
model.setNsPrefix( "", ns );
Property hasAuthor = model.createProperty( ns + "hasAuthor" );
Resource rdfPrimer = model.createResource( "http://www.w3.org/TR/rdf-primer/" );
Resource fm = model.createResource( ns + "FrankManola" );
Resource em = model.createResource( ns + "EricMiller" );
rdfPrimer.addProperty( hasAuthor, fm );
rdfPrimer.addProperty( hasAuthor, em );
System.out.println( "== The Model ==" );
model.write( System.out, "N3" );
System.out.println( "\n== The Properties ==" );
StmtIterator it = rdfPrimer.listProperties( hasAuthor );
while( it.hasNext() ) {
Statement stmt = it.nextStatement();
System.out.println( " * "+stmt.getObject() );
System.out.println( " * "+stmt );
}
}
}
输出:
== The Model ==
@prefix : <http://www.example.com/> .
<http://www.w3.org/TR/rdf-primer/>
:hasAuthor :EricMiller , :FrankManola .
== The Properties ==
* http://www.example.com/EricMiller
* [http://www.w3.org/TR/rdf-primer/, http://www.example.com/hasAuthor, http://www.example.com/EricMiller]
* http://www.example.com/FrankManola
* [http://www.w3.org/TR/rdf-primer/, http://www.example.com/hasAuthor, http://www.example.com/FrankManola]