我正在尝试学习使用Jena和RDF Triples的基础知识。还使用Oracle数据库,因此按照他们的指南,我运行了一些示例程序,例如Example7-18 SPARQL OPTIONAL Query。该示例在编写时工作正常。它允许匹配查询,例如
where {?s <u:parentOf> ?o}
where {<u:John> <u:parentOf> <u:Mary>}
我想做的是给John,Mary和Jill各自一个年龄,以便我可以查询和过滤年龄,如SPARQL By Example: The Cheat Sheet,第10页所述:
A . B . FILTER ( …expr… )
where {?s <u:parentOf> ?o . ?o <u:isAge> ?a . filter ( ?a < 20 ) }
使用三元组的当前代码,我只能添加字符串/ URI节点,虽然我可以创建一个三元组,例如<u:John> <u:isAge> <u:35>
,但我无法过滤并与例如&lt;那个年龄的算子,所以它不是很有用。
我一直在寻找一段时间,我怀疑这样做非常简单,但很难找到代码示例。
答案 0 :(得分:2)
请注意,您需要"35"^^xsd:int
或"35^^xsd:integer
这样的对象,它们是文字,而不是<u:35>
,这是一个(可能是格式错误的)URI。在我看来,这个例子是以一种不同寻常的方式做事,根据文档,它使用了一些不赞成的方法。无论如何,您可以看到它使用Node类(工厂类)中的方法创建URI节点:
Node.createURI("u:John")
Node.createURI("u:parentOf")
Node.createURI("u:Mary")
Node类中有五个createLiteral方法,您可以使用createLiteral(String lex, RDFDatatype dtype)创建一个具有数据类型的文字。但是,该方法已弃用,您确实应该使用NodeFactory中的一种方法。
所有这一切,我都不知道该示例是否有任何理由使用图形界面来创建三元组而不是模型界面。你已经有了一个模型:
ModelOracleSem model = ModelOracleSem.createOracleSemModel(oracle, szModelName);
如果您使用Model界面,您可以更轻松地执行此任务,其中您有createTypedLiteral等方法,这样您就可以简单地调用createTypedLiteral(30)
并获取合适的文字。这是一个例子:
import java.math.BigInteger;
import com.hp.hpl.jena.query.Query;
import com.hp.hpl.jena.query.QueryExecution;
import com.hp.hpl.jena.query.QueryExecutionFactory;
import com.hp.hpl.jena.query.QueryFactory;
import com.hp.hpl.jena.query.ResultSetFormatter;
import com.hp.hpl.jena.rdf.model.Model;
import com.hp.hpl.jena.rdf.model.ModelFactory;
import com.hp.hpl.jena.rdf.model.Property;
import com.hp.hpl.jena.rdf.model.Resource;
public class CreateAndQueryExample {
/**
* @param args
*/
public static void main(String[] args) {
// You should be able to replace this with the Oracle model
// producing code.
Model model = ModelFactory.createDefaultModel();
Resource john = model.createResource( "urn:ex:John" );
Resource mary = model.createResource( "urn:ex:Mary" );
Property age = model.createProperty( "urn:ex:age" );
// Using Model.add method
model.add( john, age, model.createTypedLiteral( new BigInteger( "25" ))); // "25"^^xsd:integer
// model.add( john, age, model.createTypedLiteral( 25 )); // "25"^^xsd:int
// model.add( john, age, model.createTypedLiteral( 25l )); // "25"^^xsd:long
// Using the Resource.addProperty method
mary.addProperty( age, model.createTypedLiteral( new BigInteger( "35" )));
Query query = QueryFactory.create( "select * where { ?s <urn:ex:age> ?age . filter ( ?age < 30 ) }" );
QueryExecution exec = QueryExecutionFactory.create( query, model );
ResultSetFormatter.out( exec.execSelect() );
}
}
-----------------------
| s | age |
=======================
| <urn:ex:John> | 25 |
-----------------------