我使用Jena API创建了一个onology,其中包含以下类和DataType属性:
public class Onto {
OntClass USER,...;
OntModel model;
String uriBase;
DatatypeProperty Name,Surname,..;
ObjectProperty has_EDUCATION_LEVEL;
public Onto (){
model = ModelFactory.createOntologyModel( OntModelSpec.OWL_MEM_MICRO_RULE_INF );
uriBase = "http://www.something.com/";
model.createOntology(uriBase);
//Classes
USER=model.createClass(uriBase+"USER");
...
//DatatTypesProperties
Name= model.createDatatypeProperty(uriBase+"Name");
Name.setDomain(USER_AUTNENTIFICATION);
Name.setRange(XSD.xstring);
Surname= model.createDatatypeProperty(uriBase+"Surname");
Surname.setDomain(USER_AUTNENTIFICATION);
Surname.setRange(XSD.xstring);
...
//ObjectProperties
has_EDUCATION_LEVEL= model.createObjectProperty(uriBase+"has_EDUCATION_LEVEL");
has_EDUCATION_LEVEL.setDomain(USER);
has_EDUCATION_LEVEL.setRange(EDUCATION_LEVEL);}
然后我创建了Class的实例“USER”,其中我为DataType属性“Name”和“Surname”插入了一些Web。我的代码的输出是一个.owl文件。但是当我用Protege Ifound读出它时,我的所有数据属性,我的对象属性甚至我的类都包含两个前缀j.1和j.0。 这是我在OWL文件中的实例的代码:
<j.1:USER rdf:about="http://www.something.com/#Jhon">
<j.0:has_EDUCATION_LEVEL rdf:resource="http://www.something.com/HIGH_EDUCATION_LEVEL"/>
<j.0:Surname>Smith</j.0:Surname>
<j.0:Name>Jhon</j.0:Name>
</j.1:USER>
我会感谢任何帮助或消息
答案 0 :(得分:2)
您将在RDF / XML文档的开头某处看到前缀j.1
和j.0
已正确定义,因此http://www.something.com/has_EDUCATION_LEVEL
与{j.0:has_EDUCATION_LEVEL
相同1}}。 Jena没有做任何改变属性URI的事情,所以如果您重新阅读模型或将其发送给其他人,他们仍然会看到完全相同的数据。前缀仅用于阅读XML文本的人。
也就是说,Jena模型是PrefixMapping,因此您可以使用setNsPrefix
来定义在编写模型时使用的名称和前缀。这是一个例子,基于您提供的数据:
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 PrefixDemo {
public static void main(String[] args) {
Model model = ModelFactory.createDefaultModel();
String base = "http://www.something.com/";
Resource john = model.createResource( base + "John" );
Property hasSurname = model.createProperty( base + "hasSurname" );
model.add( john, hasSurname, "Smith" );
// Before defining a prefix
model.write( System.out, "RDF/XML" );
// After defining a prefix
model.setNsPrefix( "something", base );
model.write( System.out, "RDF/XML" );
}
}
输出(模型之间有一个额外的换行符)是:
<rdf:RDF
xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
xmlns:j.0="http://www.something.com/" >
<rdf:Description rdf:about="http://www.something.com/John">
<j.0:hasSurname>Smith</j.0:hasSurname>
</rdf:Description>
</rdf:RDF>
<rdf:RDF
xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
xmlns:something="http://www.something.com/" >
<rdf:Description rdf:about="http://www.something.com/John">
<something:hasSurname>Smith</something:hasSurname>
</rdf:Description>
</rdf:RDF>
第一次打印模型时,您将看到自动生成的命名空间前缀j.0
。但是,当我们明确定义前缀时,它会被使用,如第二个例子所示。