rdflib package

Subpackages

Submodules

rdflib.collection module

class rdflib.collection.Collection(graph, uri, seq=[])[source]

Bases: object

See “Emulating container types”: https://docs.python.org/reference/datamodel.html#emulating-container-types

>>> from rdflib.term import Literal
>>> from rdflib.graph import Graph
>>> from pprint import pprint
>>> listname = BNode()
>>> g = Graph('Memory')
>>> listItem1 = BNode()
>>> listItem2 = BNode()
>>> g.add((listname, RDF.first, Literal(1))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((listname, RDF.rest, listItem1)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((listItem1, RDF.first, Literal(2))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((listItem1, RDF.rest, listItem2)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((listItem2, RDF.rest, RDF.nil)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((listItem2, RDF.first, Literal(3))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> c = Collection(g,listname)
>>> pprint([term.n3() for term in c])
[u'"1"^^<http://www.w3.org/2001/XMLSchema#integer>',
 u'"2"^^<http://www.w3.org/2001/XMLSchema#integer>',
 u'"3"^^<http://www.w3.org/2001/XMLSchema#integer>']
>>> Literal(1) in c
True
>>> len(c)
3
>>> c._get_container(1) == listItem1
True
>>> c.index(Literal(2)) == 1
True
Parameters
__delitem__(key)[source]
>>> from rdflib.namespace import RDF, RDFS
>>> from rdflib import Graph
>>> from pprint import pformat
>>> g = Graph()
>>> a = BNode('foo')
>>> b = BNode('bar')
>>> c = BNode('baz')
>>> g.add((a, RDF.first, RDF.type)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((a, RDF.rest, b)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((b, RDF.first, RDFS.label)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((b, RDF.rest, c)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((c, RDF.first, RDFS.comment)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((c, RDF.rest, RDF.nil)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> len(g)
6
>>> def listAncestry(node, graph):
...   for i in graph.subjects(RDF.rest, node):
...     yield i
>>> [str(node.n3())
...   for node in g.transitiveClosure(listAncestry, RDF.nil)]
['_:baz', '_:bar', '_:foo']
>>> lst = Collection(g, a)
>>> len(lst)
3
>>> b == lst._get_container(1)
True
>>> c == lst._get_container(2)
True
>>> del lst[1]
>>> len(lst)
2
>>> len(g)
4
Parameters

key (int) –

Return type

None

__dict__ = mappingproxy({'__module__': 'rdflib.collection', '__doc__': '\n    See "Emulating container types":\n    https://docs.python.org/reference/datamodel.html#emulating-container-types\n\n    >>> from rdflib.term import Literal\n    >>> from rdflib.graph import Graph\n    >>> from pprint import pprint\n    >>> listname = BNode()\n    >>> g = Graph(\'Memory\')\n    >>> listItem1 = BNode()\n    >>> listItem2 = BNode()\n    >>> g.add((listname, RDF.first, Literal(1))) # doctest: +ELLIPSIS\n    <Graph identifier=... (<class \'rdflib.graph.Graph\'>)>\n    >>> g.add((listname, RDF.rest, listItem1)) # doctest: +ELLIPSIS\n    <Graph identifier=... (<class \'rdflib.graph.Graph\'>)>\n    >>> g.add((listItem1, RDF.first, Literal(2))) # doctest: +ELLIPSIS\n    <Graph identifier=... (<class \'rdflib.graph.Graph\'>)>\n    >>> g.add((listItem1, RDF.rest, listItem2)) # doctest: +ELLIPSIS\n    <Graph identifier=... (<class \'rdflib.graph.Graph\'>)>\n    >>> g.add((listItem2, RDF.rest, RDF.nil)) # doctest: +ELLIPSIS\n    <Graph identifier=... (<class \'rdflib.graph.Graph\'>)>\n    >>> g.add((listItem2, RDF.first, Literal(3))) # doctest: +ELLIPSIS\n    <Graph identifier=... (<class \'rdflib.graph.Graph\'>)>\n    >>> c = Collection(g,listname)\n    >>> pprint([term.n3() for term in c])\n    [u\'"1"^^<http://www.w3.org/2001/XMLSchema#integer>\',\n     u\'"2"^^<http://www.w3.org/2001/XMLSchema#integer>\',\n     u\'"3"^^<http://www.w3.org/2001/XMLSchema#integer>\']\n\n    >>> Literal(1) in c\n    True\n    >>> len(c)\n    3\n    >>> c._get_container(1) == listItem1\n    True\n    >>> c.index(Literal(2)) == 1\n    True\n    ', '__init__': <function Collection.__init__>, 'n3': <function Collection.n3>, '_get_container': <function Collection._get_container>, '__len__': <function Collection.__len__>, 'index': <function Collection.index>, '__getitem__': <function Collection.__getitem__>, '__setitem__': <function Collection.__setitem__>, '__delitem__': <function Collection.__delitem__>, '__iter__': <function Collection.__iter__>, '_end': <function Collection._end>, 'append': <function Collection.append>, '__iadd__': <function Collection.__iadd__>, 'clear': <function Collection.clear>, '__dict__': <attribute '__dict__' of 'Collection' objects>, '__weakref__': <attribute '__weakref__' of 'Collection' objects>, '__annotations__': {}})
__getitem__(key)[source]

TODO

Parameters

key (int) –

Return type

Node

__iadd__(other)[source]
Parameters

other (Iterable[Node]) –

__init__(graph, uri, seq=[])[source]
Parameters
__iter__()[source]

Iterator over items in Collections

Return type

Iterator[Node]

__len__()[source]

length of items in collection.

Return type

int

__module__ = 'rdflib.collection'
__setitem__(key, value)[source]

TODO

Parameters
Return type

None

__weakref__

list of weak references to the object (if defined)

append(item)[source]
>>> from rdflib.term import Literal
>>> from rdflib.graph import Graph
>>> listname = BNode()
>>> g = Graph()
>>> c = Collection(g,listname,[Literal(1),Literal(2)])
>>> links = [
...     list(g.subjects(object=i, predicate=RDF.first))[0] for i in c]
>>> len([i for i in links if (i, RDF.rest, RDF.nil) in g])
1
Parameters

item (Node) –

Return type

Collection

clear()[source]
index(item)[source]

Returns the 0-based numerical index of the item in the list

Parameters

item (Node) –

Return type

int

n3()[source]
>>> from rdflib.term import Literal
>>> from rdflib.graph import Graph
>>> listname = BNode()
>>> g = Graph('Memory')
>>> listItem1 = BNode()
>>> listItem2 = BNode()
>>> g.add((listname, RDF.first, Literal(1))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((listname, RDF.rest, listItem1)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((listItem1, RDF.first, Literal(2))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((listItem1, RDF.rest, listItem2)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((listItem2, RDF.rest, RDF.nil)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((listItem2, RDF.first, Literal(3))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> c = Collection(g, listname)
>>> print(c.n3()) 
( "1"^^<http://www.w3.org/2001/XMLSchema#integer>
  "2"^^<http://www.w3.org/2001/XMLSchema#integer>
  "3"^^<http://www.w3.org/2001/XMLSchema#integer> )
Return type

str

rdflib.compare module

A collection of utilities for canonicalizing and inspecting graphs.

Among other things, they solve of the problem of deterministic bnode comparisons.

Warning: the time to canonicalize bnodes may increase exponentially on degenerate larger graphs. Use with care!

Example of comparing two graphs:

>>> g1 = Graph().parse(format='n3', data='''
...     @prefix : <http://example.org/ns#> .
...     <http://example.org> :rel
...         <http://example.org/same>,
...         [ :label "Same" ],
...         <http://example.org/a>,
...         [ :label "A" ] .
... ''')
>>> g2 = Graph().parse(format='n3', data='''
...     @prefix : <http://example.org/ns#> .
...     <http://example.org> :rel
...         <http://example.org/same>,
...         [ :label "Same" ],
...         <http://example.org/b>,
...         [ :label "B" ] .
... ''')
>>>
>>> iso1 = to_isomorphic(g1)
>>> iso2 = to_isomorphic(g2)

These are not isomorphic:

>>> iso1 == iso2
False

Diff the two graphs:

>>> in_both, in_first, in_second = graph_diff(iso1, iso2)

Present in both:

>>> def dump_nt_sorted(g):
...     for l in sorted(g.serialize(format='nt').splitlines()):
...         if l: print(l.decode('ascii'))

>>> dump_nt_sorted(in_both) 
<http://example.org>
    <http://example.org/ns#rel> <http://example.org/same> .
<http://example.org>
    <http://example.org/ns#rel> _:cbcaabaaba17fecbc304a64f8edee4335e .
_:cbcaabaaba17fecbc304a64f8edee4335e
    <http://example.org/ns#label> "Same" .

Only in first:

>>> dump_nt_sorted(in_first) 
<http://example.org>
    <http://example.org/ns#rel> <http://example.org/a> .
<http://example.org>
    <http://example.org/ns#rel> _:cb124e4c6da0579f810c0ffe4eff485bd9 .
_:cb124e4c6da0579f810c0ffe4eff485bd9
    <http://example.org/ns#label> "A" .

Only in second:

>>> dump_nt_sorted(in_second) 
<http://example.org>
    <http://example.org/ns#rel> <http://example.org/b> .
<http://example.org>
    <http://example.org/ns#rel> _:cb558f30e21ddfc05ca53108348338ade8 .
_:cb558f30e21ddfc05ca53108348338ade8
    <http://example.org/ns#label> "B" .
class rdflib.compare.IsomorphicGraph(**kwargs)[source]

Bases: ConjunctiveGraph

An implementation of the RGDA1 graph digest algorithm.

An implementation of RGDA1 (publication below), a combination of Sayers & Karp’s graph digest algorithm using sum and SHA-256 <http://www.hpl.hp.com/techreports/2003/HPL-2003-235R1.pdf> and traces <http://pallini.di.uniroma1.it>, an average case polynomial time algorithm for graph canonicalization.

McCusker, J. P. (2015). WebSig: A Digital Signature Framework for the Web. Rensselaer Polytechnic Institute, Troy, NY. http://gradworks.umi.com/3727015.pdf

__eq__(other)[source]

Graph isomorphism testing.

__hash__()[source]

Return hash(self).

__init__(**kwargs)[source]
__module__ = 'rdflib.compare'
__ne__(other)[source]

Negative graph isomorphism testing.

graph_digest(stats=None)[source]

Synonym for IsomorphicGraph.internal_hash.

internal_hash(stats=None)[source]

This is defined instead of __hash__ to avoid a circular recursion scenario with the Memory store for rdflib which requires a hash lookup in order to return a generator of triples.

rdflib.compare.graph_diff(g1, g2)[source]

Returns three sets of triples: “in both”, “in first” and “in second”.

Parameters
Return type

Tuple[Graph, Graph, Graph]

rdflib.compare.isomorphic(graph1, graph2)[source]

Compare graph for equality.

Uses an algorithm to compute unique hashes which takes bnodes into account.

Examples:

>>> g1 = Graph().parse(format='n3', data='''
...     @prefix : <http://example.org/ns#> .
...     <http://example.org> :rel <http://example.org/a> .
...     <http://example.org> :rel <http://example.org/b> .
...     <http://example.org> :rel [ :label "A bnode." ] .
... ''')
>>> g2 = Graph().parse(format='n3', data='''
...     @prefix ns: <http://example.org/ns#> .
...     <http://example.org> ns:rel [ ns:label "A bnode." ] .
...     <http://example.org> ns:rel <http://example.org/b>,
...             <http://example.org/a> .
... ''')
>>> isomorphic(g1, g2)
True

>>> g3 = Graph().parse(format='n3', data='''
...     @prefix : <http://example.org/ns#> .
...     <http://example.org> :rel <http://example.org/a> .
...     <http://example.org> :rel <http://example.org/b> .
...     <http://example.org> :rel <http://example.org/c> .
... ''')
>>> isomorphic(g1, g3)
False
Parameters
Return type

bool

rdflib.compare.similar(g1, g2)[source]

Checks if the two graphs are “similar”.

Checks if the two graphs are “similar”, by comparing sorted triples where all bnodes have been replaced by a singular mock bnode (the _MOCK_BNODE).

This is a much cheaper, but less reliable, alternative to the comparison algorithm in isomorphic.

Parameters
rdflib.compare.to_canonical_graph(g1, stats=None)[source]

Creates a canonical, read-only graph.

Creates a canonical, read-only graph where all bnode id:s are based on deterministical SHA-256 checksums, correlated with the graph contents.

Parameters
Return type

ReadOnlyGraphAggregate

rdflib.compare.to_isomorphic(graph)[source]
Parameters

graph (Graph) –

Return type

IsomorphicGraph

rdflib.compat module

Utility functions and objects to ease Python 2/3 compatibility, and different versions of support libraries.

rdflib.compat.ascii(stream)[source]
rdflib.compat.bopen(*args, **kwargs)[source]
rdflib.compat.cast_bytes(s, enc='utf-8')[source]
rdflib.compat.decodeStringEscape(s)[source]
rdflib.compat.decodeUnicodeEscape(escaped)[source]
Parameters

escaped (str) –

Return type

str

rdflib.compat.sign(n)[source]

rdflib.container module

class rdflib.container.Alt(graph, uri, seq=[])[source]

Bases: Container

__init__(graph, uri, seq=[])[source]

Creates a Container

Parameters
  • graph – a Graph instance

  • uri – URI or Blank Node of the Container

  • seq – the elements of the Container

  • rtype – the type of Container, one of “Bag”, “Seq” or “Alt”

__module__ = 'rdflib.container'
anyone()[source]
class rdflib.container.Bag(graph, uri, seq=[])[source]

Bases: Container

Unordered container (no preference order of elements)

__init__(graph, uri, seq=[])[source]

Creates a Container

Parameters
  • graph – a Graph instance

  • uri – URI or Blank Node of the Container

  • seq – the elements of the Container

  • rtype – the type of Container, one of “Bag”, “Seq” or “Alt”

__module__ = 'rdflib.container'
class rdflib.container.Container(graph, uri, seq=[], rtype='Bag')[source]

Bases: object

A class for constructing RDF containers, as per https://www.w3.org/TR/rdf11-mt/#rdf-containers

Basic usage, creating a Bag and adding to it:

>>> from rdflib import Graph, BNode, Literal, Bag
>>> g = Graph()
>>> b = Bag(g, BNode(), [Literal("One"), Literal("Two"), Literal("Three")])
>>> print(g.serialize(format="turtle"))
@prefix rdf: <http://www.w3.org/1999/02/22-rdf-syntax-ns#> .

[] a rdf:Bag ;
    rdf:_1 "One" ;
    rdf:_2 "Two" ;
    rdf:_3 "Three" .



>>> # print out an item using an index reference
>>> print(b[2])
Two

>>> # add a new item
>>> b.append(Literal("Hello")) 
<rdflib.container.Bag object at ...>
>>> print(g.serialize(format="turtle"))
@prefix rdf: <http://www.w3.org/1999/02/22-rdf-syntax-ns#> .

[] a rdf:Bag ;
    rdf:_1 "One" ;
    rdf:_2 "Two" ;
    rdf:_3 "Three" ;
    rdf:_4 "Hello" .

__delitem__(key)[source]

Removing the item with index key or predicate rdf:_key

__dict__ = mappingproxy({'__module__': 'rdflib.container', '__doc__': 'A class for constructing RDF containers, as per https://www.w3.org/TR/rdf11-mt/#rdf-containers\n\n    Basic usage, creating a ``Bag`` and adding to it::\n\n        >>> from rdflib import Graph, BNode, Literal, Bag\n        >>> g = Graph()\n        >>> b = Bag(g, BNode(), [Literal("One"), Literal("Two"), Literal("Three")])\n        >>> print(g.serialize(format="turtle"))\n        @prefix rdf: <http://www.w3.org/1999/02/22-rdf-syntax-ns#> .\n        <BLANKLINE>\n        [] a rdf:Bag ;\n            rdf:_1 "One" ;\n            rdf:_2 "Two" ;\n            rdf:_3 "Three" .\n        <BLANKLINE>\n        <BLANKLINE>\n\n        >>> # print out an item using an index reference\n        >>> print(b[2])\n        Two\n\n        >>> # add a new item\n        >>> b.append(Literal("Hello")) # doctest: +ELLIPSIS\n        <rdflib.container.Bag object at ...>\n        >>> print(g.serialize(format="turtle"))\n        @prefix rdf: <http://www.w3.org/1999/02/22-rdf-syntax-ns#> .\n        <BLANKLINE>\n        [] a rdf:Bag ;\n            rdf:_1 "One" ;\n            rdf:_2 "Two" ;\n            rdf:_3 "Three" ;\n            rdf:_4 "Hello" .\n        <BLANKLINE>\n        <BLANKLINE>\n\n    ', '__init__': <function Container.__init__>, 'n3': <function Container.n3>, '_get_container': <function Container._get_container>, '__len__': <function Container.__len__>, 'type_of_conatiner': <function Container.type_of_conatiner>, 'index': <function Container.index>, '__getitem__': <function Container.__getitem__>, '__setitem__': <function Container.__setitem__>, '__delitem__': <function Container.__delitem__>, 'items': <function Container.items>, 'end': <function Container.end>, 'append': <function Container.append>, 'append_multiple': <function Container.append_multiple>, 'clear': <function Container.clear>, '__dict__': <attribute '__dict__' of 'Container' objects>, '__weakref__': <attribute '__weakref__' of 'Container' objects>, '__annotations__': {}})
__getitem__(key)[source]

Returns item of the container at index key

__init__(graph, uri, seq=[], rtype='Bag')[source]

Creates a Container

Parameters
  • graph – a Graph instance

  • uri – URI or Blank Node of the Container

  • seq – the elements of the Container

  • rtype – the type of Container, one of “Bag”, “Seq” or “Alt”

__len__()[source]

Number of items in container

__module__ = 'rdflib.container'
__setitem__(key, value)[source]

Sets the item at index key or predicate rdf:_key of the container to value

__weakref__

list of weak references to the object (if defined)

append(item)[source]

Adding item to the end of the container

append_multiple(other)[source]

Adding multiple elements to the container to the end which are in python list other

clear()[source]

Removing all elements from the container

end()[source]
index(item)[source]

Returns the 1-based numerical index of the item in the container

items()[source]

Returns a list of all items in the container

n3()[source]
type_of_conatiner()[source]
exception rdflib.container.NoElementException(message='rdf:Alt Container is empty')[source]

Bases: Exception

__init__(message='rdf:Alt Container is empty')[source]
__module__ = 'rdflib.container'
__str__()[source]

Return str(self).

__weakref__

list of weak references to the object (if defined)

class rdflib.container.Seq(graph, uri, seq=[])[source]

Bases: Container

__init__(graph, uri, seq=[])[source]

Creates a Container

Parameters
  • graph – a Graph instance

  • uri – URI or Blank Node of the Container

  • seq – the elements of the Container

  • rtype – the type of Container, one of “Bag”, “Seq” or “Alt”

__module__ = 'rdflib.container'
add_at_position(pos, item)[source]

rdflib.events module

Dirt Simple Events

A Dispatcher (or a subclass of Dispatcher) stores event handlers that are ‘fired’ simple event objects when interesting things happen.

Create a dispatcher:

>>> d = Dispatcher()

Now create a handler for the event and subscribe it to the dispatcher to handle Event events. A handler is a simple function or method that accepts the event as an argument:

>>> def handler1(event): print(repr(event))
>>> d.subscribe(Event, handler1) 
<rdflib.events.Dispatcher object at ...>

Now dispatch a new event into the dispatcher, and see handler1 get fired:

>>> d.dispatch(Event(foo='bar', data='yours', used_by='the event handlers'))
<rdflib.events.Event ['data', 'foo', 'used_by']>
class rdflib.events.Dispatcher[source]

Bases: object

An object that can dispatch events to a privately managed group of subscribers.

__dict__ = mappingproxy({'__module__': 'rdflib.events', '__doc__': '\n    An object that can dispatch events to a privately managed group of\n    subscribers.\n    ', '_dispatch_map': None, 'set_map': <function Dispatcher.set_map>, 'get_map': <function Dispatcher.get_map>, 'subscribe': <function Dispatcher.subscribe>, 'dispatch': <function Dispatcher.dispatch>, '__dict__': <attribute '__dict__' of 'Dispatcher' objects>, '__weakref__': <attribute '__weakref__' of 'Dispatcher' objects>, '__annotations__': {}})
__module__ = 'rdflib.events'
__weakref__

list of weak references to the object (if defined)

dispatch(event)[source]

Dispatch the given event to the subscribed handlers for the event’s type

get_map()[source]
set_map(amap)[source]
subscribe(event_type, handler)[source]

Subscribe the given handler to an event_type. Handlers are called in the order they are subscribed.

class rdflib.events.Event(**kw)[source]

Bases: object

An event is a container for attributes. The source of an event creates this object, or a subclass, gives it any kind of data that the events handlers need to handle the event, and then calls notify(event).

The target of an event registers a function to handle the event it is interested with subscribe(). When a sources calls notify(event), each subscriber to that event will be called in no particular order.

__dict__ = mappingproxy({'__module__': 'rdflib.events', '__doc__': '\n    An event is a container for attributes.  The source of an event\n    creates this object, or a subclass, gives it any kind of data that\n    the events handlers need to handle the event, and then calls\n    notify(event).\n\n    The target of an event registers a function to handle the event it\n    is interested with subscribe().  When a sources calls\n    notify(event), each subscriber to that event will be called in no\n    particular order.\n    ', '__init__': <function Event.__init__>, '__repr__': <function Event.__repr__>, '__dict__': <attribute '__dict__' of 'Event' objects>, '__weakref__': <attribute '__weakref__' of 'Event' objects>, '__annotations__': {}})
__init__(**kw)[source]
__module__ = 'rdflib.events'
__repr__()[source]

Return repr(self).

__weakref__

list of weak references to the object (if defined)

rdflib.exceptions module

TODO:

exception rdflib.exceptions.Error(msg=None)[source]

Bases: Exception

Base class for rdflib exceptions.

Parameters

msg (Optional[str]) –

__init__(msg=None)[source]
Parameters

msg (Optional[str]) –

__module__ = 'rdflib.exceptions'
__weakref__

list of weak references to the object (if defined)

exception rdflib.exceptions.ParserError(msg)[source]

Bases: Error

RDF Parser error.

Parameters

msg (str) –

__init__(msg)[source]
Parameters

msg (str) –

__module__ = 'rdflib.exceptions'
__str__()[source]

Return str(self).

Return type

str

exception rdflib.exceptions.UniquenessError(values)[source]

Bases: Error

A uniqueness assumption was made in the context, and that is not true

Parameters

values (Any) –

__init__(values)[source]
Parameters

values (Any) –

__module__ = 'rdflib.exceptions'

rdflib.graph module

RDFLib defines the following kinds of Graphs:

Graph

An RDF graph is a set of RDF triples. Graphs support the python in operator, as well as iteration and some operations like union, difference and intersection.

see Graph

Conjunctive Graph

A Conjunctive Graph is the most relevant collection of graphs that are considered to be the boundary for closed world assumptions. This boundary is equivalent to that of the store instance (which is itself uniquely identified and distinct from other instances of Store that signify other Conjunctive Graphs). It is equivalent to all the named graphs within it and associated with a _default_ graph which is automatically assigned a BNode for an identifier - if one isn’t given.

see ConjunctiveGraph

Quoted graph

The notion of an RDF graph [14] is extended to include the concept of a formula node. A formula node may occur wherever any other kind of node can appear. Associated with a formula node is an RDF graph that is completely disjoint from all other graphs; i.e. has no nodes in common with any other graph. (It may contain the same labels as other RDF graphs; because this is, by definition, a separate graph, considerations of tidiness do not apply between the graph at a formula node and any other graph.)

This is intended to map the idea of “{ N3-expression }” that is used by N3 into an RDF graph upon which RDF semantics is defined.

see QuotedGraph

Dataset

The RDF 1.1 Dataset, a small extension to the Conjunctive Graph. The primary term is “graphs in the datasets” and not “contexts with quads” so there is a separate method to set/retrieve a graph in a dataset and to operate with dataset graphs. As a consequence of this approach, dataset graphs cannot be identified with blank nodes, a name is always required (RDFLib will automatically add a name if one is not provided at creation time). This implementation includes a convenience method to directly add a single quad to a dataset graph.

see Dataset

Working with graphs

Instantiating Graphs with default store (Memory) and default identifier (a BNode):

>>> g = Graph()
>>> g.store.__class__
<class 'rdflib.plugins.stores.memory.Memory'>
>>> g.identifier.__class__
<class 'rdflib.term.BNode'>

Instantiating Graphs with a Memory store and an identifier - <https://rdflib.github.io>:

>>> g = Graph('Memory', URIRef("https://rdflib.github.io"))
>>> g.identifier
rdflib.term.URIRef('https://rdflib.github.io')
>>> str(g)  
"<https://rdflib.github.io> a rdfg:Graph;rdflib:storage
 [a rdflib:Store;rdfs:label 'Memory']."

Creating a ConjunctiveGraph - The top level container for all named Graphs in a “database”:

>>> g = ConjunctiveGraph()
>>> str(g.default_context)
"[a rdfg:Graph;rdflib:storage [a rdflib:Store;rdfs:label 'Memory']]."

Adding / removing reified triples to Graph and iterating over it directly or via triple pattern:

>>> g = Graph()
>>> statementId = BNode()
>>> print(len(g))
0
>>> g.add((statementId, RDF.type, RDF.Statement)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((statementId, RDF.subject,
...     URIRef("https://rdflib.github.io/store/ConjunctiveGraph"))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((statementId, RDF.predicate, namespace.RDFS.label)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((statementId, RDF.object, Literal("Conjunctive Graph"))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> print(len(g))
4
>>> for s, p, o in g:
...     print(type(s))
...
<class 'rdflib.term.BNode'>
<class 'rdflib.term.BNode'>
<class 'rdflib.term.BNode'>
<class 'rdflib.term.BNode'>
>>> for s, p, o in g.triples((None, RDF.object, None)):
...     print(o)
...
Conjunctive Graph
>>> g.remove((statementId, RDF.type, RDF.Statement)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> print(len(g))
3

None terms in calls to triples() can be thought of as “open variables”.

Graph support set-theoretic operators, you can add/subtract graphs, as well as intersection (with multiplication operator g1*g2) and xor (g1 ^ g2).

Note that BNode IDs are kept when doing set-theoretic operations, this may or may not be what you want. Two named graphs within the same application probably want share BNode IDs, two graphs with data from different sources probably not. If your BNode IDs are all generated by RDFLib they are UUIDs and unique.

>>> g1 = Graph()
>>> g2 = Graph()
>>> u = URIRef("http://example.com/foo")
>>> g1.add([u, namespace.RDFS.label, Literal("foo")]) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g1.add([u, namespace.RDFS.label, Literal("bar")]) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g2.add([u, namespace.RDFS.label, Literal("foo")]) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g2.add([u, namespace.RDFS.label, Literal("bing")]) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> len(g1 + g2)  # adds bing as label
3
>>> len(g1 - g2)  # removes foo
1
>>> len(g1 * g2)  # only foo
1
>>> g1 += g2  # now g1 contains everything

Graph Aggregation - ConjunctiveGraphs and ReadOnlyGraphAggregate within the same store:

>>> store = plugin.get("Memory", Store)()
>>> g1 = Graph(store)
>>> g2 = Graph(store)
>>> g3 = Graph(store)
>>> stmt1 = BNode()
>>> stmt2 = BNode()
>>> stmt3 = BNode()
>>> g1.add((stmt1, RDF.type, RDF.Statement)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g1.add((stmt1, RDF.subject,
...     URIRef('https://rdflib.github.io/store/ConjunctiveGraph'))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g1.add((stmt1, RDF.predicate, namespace.RDFS.label)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g1.add((stmt1, RDF.object, Literal('Conjunctive Graph'))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g2.add((stmt2, RDF.type, RDF.Statement)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g2.add((stmt2, RDF.subject,
...     URIRef('https://rdflib.github.io/store/ConjunctiveGraph'))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g2.add((stmt2, RDF.predicate, RDF.type)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g2.add((stmt2, RDF.object, namespace.RDFS.Class)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g3.add((stmt3, RDF.type, RDF.Statement)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g3.add((stmt3, RDF.subject,
...     URIRef('https://rdflib.github.io/store/ConjunctiveGraph'))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g3.add((stmt3, RDF.predicate, namespace.RDFS.comment)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g3.add((stmt3, RDF.object, Literal(
...     'The top-level aggregate graph - The sum ' +
...     'of all named graphs within a Store'))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> len(list(ConjunctiveGraph(store).subjects(RDF.type, RDF.Statement)))
3
>>> len(list(ReadOnlyGraphAggregate([g1,g2]).subjects(
...     RDF.type, RDF.Statement)))
2

ConjunctiveGraphs have a quads() method which returns quads instead of triples, where the fourth item is the Graph (or subclass thereof) instance in which the triple was asserted:

>>> uniqueGraphNames = set(
...     [graph.identifier for s, p, o, graph in ConjunctiveGraph(store
...     ).quads((None, RDF.predicate, None))])
>>> len(uniqueGraphNames)
3
>>> unionGraph = ReadOnlyGraphAggregate([g1, g2])
>>> uniqueGraphNames = set(
...     [graph.identifier for s, p, o, graph in unionGraph.quads(
...     (None, RDF.predicate, None))])
>>> len(uniqueGraphNames)
2

Parsing N3 from a string

>>> g2 = Graph()
>>> src = '''
... @prefix rdf:  <http://www.w3.org/1999/02/22-rdf-syntax-ns#> .
... @prefix rdfs: <http://www.w3.org/2000/01/rdf-schema#> .
... [ a rdf:Statement ;
...   rdf:subject <https://rdflib.github.io/store#ConjunctiveGraph>;
...   rdf:predicate rdfs:label;
...   rdf:object "Conjunctive Graph" ] .
... '''
>>> g2 = g2.parse(data=src, format="n3")
>>> print(len(g2))
4

Using Namespace class:

>>> RDFLib = Namespace("https://rdflib.github.io/")
>>> RDFLib.ConjunctiveGraph
rdflib.term.URIRef('https://rdflib.github.io/ConjunctiveGraph')
>>> RDFLib["Graph"]
rdflib.term.URIRef('https://rdflib.github.io/Graph')
class rdflib.graph.BatchAddGraph(graph, batch_size=1000, batch_addn=False)[source]

Bases: object

Wrapper around graph that turns batches of calls to Graph’s add (and optionally, addN) into calls to batched calls to addN`.

Parameters
  • graph: The graph to wrap

  • batch_size: The maximum number of triples to buffer before passing to Graph’s addN

  • batch_addn: If True, then even calls to addN will be batched according to batch_size

graph: The wrapped graph count: The number of triples buffered since initialization or the last call to reset batch: The current buffer of triples

Parameters
  • graph (Graph) –

  • batch_size (int) –

  • batch_addn (bool) –

__dict__ = mappingproxy({'__module__': 'rdflib.graph', '__doc__': "\n    Wrapper around graph that turns batches of calls to Graph's add\n    (and optionally, addN) into calls to batched calls to addN`.\n\n    :Parameters:\n\n      - graph: The graph to wrap\n      - batch_size: The maximum number of triples to buffer before passing to\n        Graph's addN\n      - batch_addn: If True, then even calls to `addN` will be batched according to\n        batch_size\n\n    graph: The wrapped graph\n    count: The number of triples buffered since initialization or the last call to reset\n    batch: The current buffer of triples\n\n    ", '__init__': <function BatchAddGraph.__init__>, 'reset': <function BatchAddGraph.reset>, 'add': <function BatchAddGraph.add>, 'addN': <function BatchAddGraph.addN>, '__enter__': <function BatchAddGraph.__enter__>, '__exit__': <function BatchAddGraph.__exit__>, '__dict__': <attribute '__dict__' of 'BatchAddGraph' objects>, '__weakref__': <attribute '__weakref__' of 'BatchAddGraph' objects>, '__annotations__': {}})
__enter__()[source]
Return type

BatchAddGraph

__exit__(*exc)[source]
Return type

None

__init__(graph, batch_size=1000, batch_addn=False)[source]
Parameters
  • graph (Graph) –

  • batch_size (int) –

  • batch_addn (bool) –

__module__ = 'rdflib.graph'
__weakref__

list of weak references to the object (if defined)

add(triple_or_quad)[source]

Add a triple to the buffer

Parameters
Return type

BatchAddGraph

addN(quads)[source]
Parameters

quads (Iterable[Tuple[Node, Node, Node, Graph]]) –

Return type

BatchAddGraph

reset()[source]

Manually clear the buffered triples and reset the count to zero

Return type

BatchAddGraph

class rdflib.graph.ConjunctiveGraph(store='default', identifier=None, default_graph_base=None)[source]

Bases: Graph

A ConjunctiveGraph is an (unnamed) aggregation of all the named graphs in a store.

It has a default graph, whose name is associated with the graph throughout its life. __init__() can take an identifier to use as the name of this default graph or it will assign a BNode.

All methods that add triples work against this default graph.

All queries are carried out against the union of all graphs.

Parameters
__contains__(triple_or_quad)[source]

Support for ‘triple/quad in graph’ syntax

Parameters

triple_or_quad (Union[Tuple[Optional[Node], Optional[Node], Optional[Node]], Tuple[Optional[Node], Optional[Node], Optional[Node], Optional[Graph]]]) –

Return type

bool

__init__(store='default', identifier=None, default_graph_base=None)[source]
Parameters
__len__()[source]

Number of triples in the entire conjunctive graph

Return type

int

__module__ = 'rdflib.graph'
__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[Graph], Tuple[Store, IdentifiedNode]]

__str__()[source]

Return str(self).

Return type

str

add(triple_or_quad)[source]

Add a triple or quad to the store.

if a triple is given it is added to the default context

Parameters
Return type

TypeVar(_ConjunctiveGraphT, bound= ConjunctiveGraph)

addN(quads)[source]

Add a sequence of triples with context

Parameters
Return type

TypeVar(_ConjunctiveGraphT, bound= ConjunctiveGraph)

context_id(uri, context_id=None)[source]

URI#context

Parameters
Return type

URIRef

contexts(triple=None)[source]

Iterate over all contexts in the graph

If triple is specified, iterate over all contexts the triple is in.

Parameters

triple (Optional[Tuple[Node, Node, Node]]) –

Return type

Generator[Graph, None, None]

get_context(identifier, quoted=False, base=None)[source]

Return a context graph for the given identifier

identifier must be a URIRef or BNode.

Parameters
Return type

Graph

get_graph(identifier)[source]

Returns the graph identified by given identifier

Parameters

identifier (IdentifiedNode) –

Return type

Optional[Graph]

parse(source=None, publicID=None, format=None, location=None, file=None, data=None, **args)[source]

Parse source adding the resulting triples to its own context (sub graph of this graph).

See rdflib.graph.Graph.parse() for documentation on arguments.

Returns

The graph into which the source was parsed. In the case of n3 it returns the root context.

Caution

This method can access directly or indirectly requested network or file resources, for example, when parsing JSON-LD documents with @context directives that point to a network location.

When processing untrusted or potentially malicious documents, measures should be taken to restrict network and file access.

For information on available security measures, see the RDFLib Security Considerations documentation.

Parameters
Return type

Graph

quads(triple_or_quad=None)[source]

Iterate over all the quads in the entire conjunctive graph

Parameters

triple_or_quad (Union[Tuple[Optional[Node], Optional[Node], Optional[Node]], Tuple[Optional[Node], Optional[Node], Optional[Node], Optional[Graph]], None]) –

Return type

Generator[Tuple[Node, Node, Node, Optional[Graph]], None, None]

remove(triple_or_quad)[source]

Removes a triple or quads

if a triple is given it is removed from all contexts

a quad is removed from the given context only

Parameters
Return type

TypeVar(_ConjunctiveGraphT, bound= ConjunctiveGraph)

remove_context(context)[source]

Removes the given context from the graph

Parameters

context (Graph) –

Return type

None

triples(triple_or_quad: Union[Tuple[Optional[Node], Optional[Node], Optional[Node]], Tuple[Optional[Node], Optional[Node], Optional[Node], Optional[Graph]]], context: Optional[Graph] = None) Generator[Tuple[Node, Node, Node], None, None][source]
triples(triple_or_quad: Union[Tuple[Optional[Node], Path, Optional[Node]], Tuple[Optional[Node], Path, Optional[Node], Optional[Graph]]], context: Optional[Graph] = None) Generator[Tuple[Node, Path, Node], None, None]
triples(triple_or_quad: Union[Tuple[Optional[Node], Optional[Union[Path, Node]], Optional[Node]], Tuple[Optional[Node], Optional[Union[Path, Node]], Optional[Node], Optional[Graph]]], context: Optional[Graph] = None) Generator[Union[Tuple[Node, Node, Node], Tuple[Node, Path, Node]], None, None]

Iterate over all the triples in the entire conjunctive graph

For legacy reasons, this can take the context to query either as a fourth element of the quad, or as the explicit context keyword parameter. The kw param takes precedence.

Parameters
Return type

Generator[Union[Tuple[Node, Node, Node], Tuple[Node, Path, Node]], None, None]

triples_choices(triple, context=None)[source]

Iterate over all the triples in the entire conjunctive graph

Parameters
Return type

Generator[Tuple[Node, Node, Node], None, None]

class rdflib.graph.Dataset(store='default', default_union=False, default_graph_base=None)[source]

Bases: ConjunctiveGraph

RDF 1.1 Dataset. Small extension to the Conjunctive Graph: - the primary term is graphs in the datasets and not contexts with quads, so there is a separate method to set/retrieve a graph in a dataset and operate with graphs - graphs cannot be identified with blank nodes - added a method to directly add a single quad

Examples of usage:

>>> # Create a new Dataset
>>> ds = Dataset()
>>> # simple triples goes to default graph
>>> ds.add((URIRef("http://example.org/a"),
...    URIRef("http://www.example.org/b"),
...    Literal("foo")))  
<Graph identifier=... (<class 'rdflib.graph.Dataset'>)>
>>>
>>> # Create a graph in the dataset, if the graph name has already been
>>> # used, the corresponding graph will be returned
>>> # (ie, the Dataset keeps track of the constituent graphs)
>>> g = ds.graph(URIRef("http://www.example.com/gr"))
>>>
>>> # add triples to the new graph as usual
>>> g.add(
...     (URIRef("http://example.org/x"),
...     URIRef("http://example.org/y"),
...     Literal("bar")) ) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> # alternatively: add a quad to the dataset -> goes to the graph
>>> ds.add(
...     (URIRef("http://example.org/x"),
...     URIRef("http://example.org/z"),
...     Literal("foo-bar"),g) ) 
<Graph identifier=... (<class 'rdflib.graph.Dataset'>)>
>>>
>>> # querying triples return them all regardless of the graph
>>> for t in ds.triples((None,None,None)):  
...     print(t)  
(rdflib.term.URIRef("http://example.org/a"),
 rdflib.term.URIRef("http://www.example.org/b"),
 rdflib.term.Literal("foo"))
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/z"),
 rdflib.term.Literal("foo-bar"))
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/y"),
 rdflib.term.Literal("bar"))
>>>
>>> # querying quads() return quads; the fourth argument can be unrestricted
>>> # (None) or restricted to a graph
>>> for q in ds.quads((None, None, None, None)):  
...     print(q)  
(rdflib.term.URIRef("http://example.org/a"),
 rdflib.term.URIRef("http://www.example.org/b"),
 rdflib.term.Literal("foo"),
 None)
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/y"),
 rdflib.term.Literal("bar"),
 rdflib.term.URIRef("http://www.example.com/gr"))
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/z"),
 rdflib.term.Literal("foo-bar"),
 rdflib.term.URIRef("http://www.example.com/gr"))
>>>
>>> # unrestricted looping is equivalent to iterating over the entire Dataset
>>> for q in ds:  
...     print(q)  
(rdflib.term.URIRef("http://example.org/a"),
 rdflib.term.URIRef("http://www.example.org/b"),
 rdflib.term.Literal("foo"),
 None)
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/y"),
 rdflib.term.Literal("bar"),
 rdflib.term.URIRef("http://www.example.com/gr"))
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/z"),
 rdflib.term.Literal("foo-bar"),
 rdflib.term.URIRef("http://www.example.com/gr"))
>>>
>>> # resticting iteration to a graph:
>>> for q in ds.quads((None, None, None, g)):  
...     print(q)  
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/y"),
 rdflib.term.Literal("bar"),
 rdflib.term.URIRef("http://www.example.com/gr"))
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/z"),
 rdflib.term.Literal("foo-bar"),
 rdflib.term.URIRef("http://www.example.com/gr"))
>>> # Note that in the call above -
>>> # ds.quads((None,None,None,"http://www.example.com/gr"))
>>> # would have been accepted, too
>>>
>>> # graph names in the dataset can be queried:
>>> for c in ds.graphs():  
...     print(c)  # doctest:
DEFAULT
http://www.example.com/gr
>>> # A graph can be created without specifying a name; a skolemized genid
>>> # is created on the fly
>>> h = ds.graph()
>>> for c in ds.graphs():  
...     print(c)  
DEFAULT
https://rdflib.github.io/.well-known/genid/rdflib/N...
http://www.example.com/gr
>>> # Note that the Dataset.graphs() call returns names of empty graphs,
>>> # too. This can be restricted:
>>> for c in ds.graphs(empty=False):  
...     print(c)  
DEFAULT
http://www.example.com/gr
>>>
>>> # a graph can also be removed from a dataset via ds.remove_graph(g)

New in version 4.0.

Parameters
__getstate__()[source]
Return type

Tuple[Store, IdentifiedNode, Graph, bool]

__init__(store='default', default_union=False, default_graph_base=None)[source]
Parameters
__iter__()[source]

Iterates over all quads in the store

Return type

Generator[Tuple[Node, Node, Node, Optional[IdentifiedNode]], None, None]

__module__ = 'rdflib.graph'
__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[Dataset], Tuple[Store, bool]]

__setstate__(state)[source]
Parameters

state (Tuple[Store, IdentifiedNode, Graph, bool]) –

Return type

None

__str__()[source]

Return str(self).

Return type

str

add_graph(g)[source]

alias of graph for consistency

Parameters

g (Union[IdentifiedNode, Graph, str, None]) –

Return type

Graph

contexts(triple=None)[source]

Iterate over all contexts in the graph

If triple is specified, iterate over all contexts the triple is in.

Parameters

triple (Optional[Tuple[Node, Node, Node]]) –

Return type

Generator[Graph, None, None]

default_context: Graph
graph(identifier=None, base=None)[source]
Parameters
Return type

Graph

graphs(triple=None)

Iterate over all contexts in the graph

If triple is specified, iterate over all contexts the triple is in.

Parameters

triple (Optional[Tuple[Node, Node, Node]]) –

Return type

Generator[Graph, None, None]

parse(source=None, publicID=None, format=None, location=None, file=None, data=None, **args)[source]

Caution

This method can access directly or indirectly requested network or file resources, for example, when parsing JSON-LD documents with @context directives that point to a network location.

When processing untrusted or potentially malicious documents, measures should be taken to restrict network and file access.

For information on available security measures, see the RDFLib Security Considerations documentation.

Parameters
Return type

Graph

quads(quad=None)[source]

Iterate over all the quads in the entire conjunctive graph

Parameters

quad (Union[Tuple[Optional[Node], Optional[Node], Optional[Node]], Tuple[Optional[Node], Optional[Node], Optional[Node], Optional[Graph]], None]) –

Return type

Generator[Tuple[Node, Node, Node, Optional[IdentifiedNode]], None, None]

remove_graph(g)[source]
Parameters
Return type

TypeVar(_DatasetT, bound= Dataset)

class rdflib.graph.Graph(store='default', identifier=None, namespace_manager=None, base=None, bind_namespaces='core')[source]

Bases: Node

An RDF Graph

The constructor accepts one argument, the “store” that will be used to store the graph data (see the “store” package for stores currently shipped with rdflib).

Stores can be context-aware or unaware. Unaware stores take up (some) less space but cannot support features that require context, such as true merging/demerging of sub-graphs and provenance.

Even if used with a context-aware store, Graph will only expose the quads which belong to the default graph. To access the rest of the data, ConjunctiveGraph or Dataset classes can be used instead.

The Graph constructor can take an identifier which identifies the Graph by name. If none is given, the graph is assigned a BNode for its identifier.

For more on named graphs, see: http://www.w3.org/2004/03/trix/

Parameters
__add__(other)[source]

Set-theoretic union BNode IDs are not changed.

Parameters

other (Graph) –

Return type

Graph

__and__(other)

Set-theoretic intersection. BNode IDs are not changed.

Parameters

other (Graph) –

Return type

Graph

__cmp__(other)[source]
Return type

int

__contains__(triple)[source]

Support for ‘triple in graph’ syntax

Parameters

triple (Tuple[Optional[Node], Optional[Node], Optional[Node]]) –

Return type

bool

__dict__ = mappingproxy({'__module__': 'rdflib.graph', '__doc__': 'An RDF Graph\n\n    The constructor accepts one argument, the "store"\n    that will be used to store the graph data (see the "store"\n    package for stores currently shipped with rdflib).\n\n    Stores can be context-aware or unaware.  Unaware stores take up\n    (some) less space but cannot support features that require\n    context, such as true merging/demerging of sub-graphs and\n    provenance.\n\n    Even if used with a context-aware store, Graph will only expose the quads which\n    belong to the default graph. To access the rest of the data, `ConjunctiveGraph` or\n    `Dataset` classes can be used instead.\n\n    The Graph constructor can take an identifier which identifies the Graph\n    by name.  If none is given, the graph is assigned a BNode for its\n    identifier.\n\n    For more on named graphs, see: http://www.w3.org/2004/03/trix/\n    ', '__init__': <function Graph.__init__>, 'store': <property object>, 'identifier': <property object>, 'namespace_manager': <property object>, '__repr__': <function Graph.__repr__>, '__str__': <function Graph.__str__>, 'toPython': <function Graph.toPython>, 'destroy': <function Graph.destroy>, 'commit': <function Graph.commit>, 'rollback': <function Graph.rollback>, 'open': <function Graph.open>, 'close': <function Graph.close>, 'add': <function Graph.add>, 'addN': <function Graph.addN>, 'remove': <function Graph.remove>, 'triples': <function Graph.triples>, '__getitem__': <function Graph.__getitem__>, '__len__': <function Graph.__len__>, '__iter__': <function Graph.__iter__>, '__contains__': <function Graph.__contains__>, '__hash__': <function Graph.__hash__>, '__cmp__': <function Graph.__cmp__>, '__eq__': <function Graph.__eq__>, '__lt__': <function Graph.__lt__>, '__le__': <function Graph.__le__>, '__gt__': <function Graph.__gt__>, '__ge__': <function Graph.__ge__>, '__iadd__': <function Graph.__iadd__>, '__isub__': <function Graph.__isub__>, '__add__': <function Graph.__add__>, '__mul__': <function Graph.__mul__>, '__sub__': <function Graph.__sub__>, '__xor__': <function Graph.__xor__>, '__or__': <function Graph.__add__>, '__and__': <function Graph.__mul__>, 'set': <function Graph.set>, 'subjects': <function Graph.subjects>, 'predicates': <function Graph.predicates>, 'objects': <function Graph.objects>, 'subject_predicates': <function Graph.subject_predicates>, 'subject_objects': <function Graph.subject_objects>, 'predicate_objects': <function Graph.predicate_objects>, 'triples_choices': <function Graph.triples_choices>, 'value': <function Graph.value>, 'items': <function Graph.items>, 'transitiveClosure': <function Graph.transitiveClosure>, 'transitive_objects': <function Graph.transitive_objects>, 'transitive_subjects': <function Graph.transitive_subjects>, 'qname': <function Graph.qname>, 'compute_qname': <function Graph.compute_qname>, 'bind': <function Graph.bind>, 'namespaces': <function Graph.namespaces>, 'absolutize': <function Graph.absolutize>, 'serialize': <function Graph.serialize>, 'print': <function Graph.print>, 'parse': <function Graph.parse>, 'query': <function Graph.query>, 'update': <function Graph.update>, 'n3': <function Graph.n3>, '__reduce__': <function Graph.__reduce__>, 'isomorphic': <function Graph.isomorphic>, 'connected': <function Graph.connected>, 'all_nodes': <function Graph.all_nodes>, 'collection': <function Graph.collection>, 'resource': <function Graph.resource>, '_process_skolem_tuples': <function Graph._process_skolem_tuples>, 'skolemize': <function Graph.skolemize>, 'de_skolemize': <function Graph.de_skolemize>, 'cbd': <function Graph.cbd>, '__dict__': <attribute '__dict__' of 'Graph' objects>, '__weakref__': <attribute '__weakref__' of 'Graph' objects>, '__annotations__': {'__identifier': '_ContextIdentifierType', '__store': 'Store'}})
__eq__(other)[source]

Return self==value.

Return type

bool

__ge__(other)[source]

Return self>=value.

Parameters

other (Graph) –

Return type

bool

__getitem__(item)[source]

A graph can be “sliced” as a shortcut for the triples method The python slice syntax is (ab)used for specifying triples. A generator over matches is returned, the returned tuples include only the parts not given

>>> import rdflib
>>> g = rdflib.Graph()
>>> g.add((rdflib.URIRef("urn:bob"), namespace.RDFS.label, rdflib.Literal("Bob"))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> list(g[rdflib.URIRef("urn:bob")]) # all triples about bob
[(rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#label'), rdflib.term.Literal('Bob'))]
>>> list(g[:namespace.RDFS.label]) # all label triples
[(rdflib.term.URIRef('urn:bob'), rdflib.term.Literal('Bob'))]
>>> list(g[::rdflib.Literal("Bob")]) # all triples with bob as object
[(rdflib.term.URIRef('urn:bob'), rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#label'))]

Combined with SPARQL paths, more complex queries can be written concisely:

Name of all Bobs friends:

g[bob : FOAF.knows/FOAF.name ]

Some label for Bob:

g[bob : DC.title|FOAF.name|RDFS.label]

All friends and friends of friends of Bob

g[bob : FOAF.knows * “+”]

etc.

New in version 4.0.

__gt__(other)[source]

Return self>value.

Return type

bool

__hash__()[source]

Return hash(self).

Return type

int

__iadd__(other)[source]

Add all triples in Graph other to Graph. BNode IDs are not changed.

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

__init__(store='default', identifier=None, namespace_manager=None, base=None, bind_namespaces='core')[source]
Parameters
__isub__(other)[source]

Subtract all triples in Graph other from Graph. BNode IDs are not changed.

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

__iter__()[source]

Iterates over all triples in the store

Return type

Generator[Tuple[Node, Node, Node], None, None]

__le__(other)[source]

Return self<=value.

Parameters

other (Graph) –

Return type

bool

__len__()[source]

Returns the number of triples in the graph

If context is specified then the number of triples in the context is returned instead.

Return type

int

__lt__(other)[source]

Return self<value.

Return type

bool

__module__ = 'rdflib.graph'
__mul__(other)[source]

Set-theoretic intersection. BNode IDs are not changed.

Parameters

other (Graph) –

Return type

Graph

__or__(other)

Set-theoretic union BNode IDs are not changed.

Parameters

other (Graph) –

Return type

Graph

__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[Graph], Tuple[Store, IdentifiedNode]]

__repr__()[source]

Return repr(self).

Return type

str

__str__()[source]

Return str(self).

Return type

str

__sub__(other)[source]

Set-theoretic difference. BNode IDs are not changed.

Parameters

other (Graph) –

Return type

Graph

__weakref__

list of weak references to the object (if defined)

__xor__(other)[source]

Set-theoretic XOR. BNode IDs are not changed.

Parameters

other (Graph) –

Return type

Graph

absolutize(uri, defrag=1)[source]

Turn uri into an absolute URI if it’s not one already

Parameters
  • uri (str) –

  • defrag (int) –

Return type

URIRef

add(triple)[source]

Add a triple with self as context

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

addN(quads)[source]

Add a sequence of triple with context

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

all_nodes()[source]
Return type

Set[Node]

bind(prefix, namespace, override=True, replace=False)[source]

Bind prefix to namespace

If override is True will bind namespace to given prefix even if namespace was already bound to a different prefix.

if replace, replace any existing prefix with the new namespace

for example: graph.bind(“foaf”, “http://xmlns.com/foaf/0.1/”)

Parameters
Return type

None

cbd(resource)[source]

Retrieves the Concise Bounded Description of a Resource from a Graph

Concise Bounded Description (CBD) is defined in [1] as:

Given a particular node (the starting node) in a particular RDF graph (the source graph), a subgraph of that particular graph, taken to comprise a concise bounded description of the resource denoted by the starting node, can be identified as follows:

  1. Include in the subgraph all statements in the source graph where the subject of the statement is the

    starting node;

  2. Recursively, for all statements identified in the subgraph thus far having a blank node object, include

    in the subgraph all statements in the source graph where the subject of the statement is the blank node in question and which are not already included in the subgraph.

  3. Recursively, for all statements included in the subgraph thus far, for all reifications of each statement

    in the source graph, include the concise bounded description beginning from the rdf:Statement node of each reification.

This results in a subgraph where the object nodes are either URI references, literals, or blank nodes not serving as the subject of any statement in the graph.

[1] https://www.w3.org/Submission/CBD/

Parameters

resource (Node) – a URIRef object, of the Resource for queried for

Return type

Graph

Returns

a Graph, subgraph of self

close(commit_pending_transaction=False)[source]

Close the graph store

Might be necessary for stores that require closing a connection to a database or releasing some resource.

Parameters

commit_pending_transaction (bool) –

Return type

None

collection(identifier)[source]

Create a new Collection instance.

Parameters:

  • identifier: a URIRef or BNode instance.

Example:

>>> graph = Graph()
>>> uri = URIRef("http://example.org/resource")
>>> collection = graph.collection(uri)
>>> assert isinstance(collection, Collection)
>>> assert collection.uri is uri
>>> assert collection.graph is graph
>>> collection += [ Literal(1), Literal(2) ]
Parameters

identifier (Node) –

Return type

Collection

commit()[source]

Commits active transactions

Parameters

self (TypeVar(_GraphT, bound= Graph)) –

Return type

TypeVar(_GraphT, bound= Graph)

compute_qname(uri, generate=True)[source]
Parameters
  • uri (str) –

  • generate (bool) –

Return type

Tuple[str, URIRef, str]

connected()[source]

Check if the Graph is connected

The Graph is considered undirectional.

Performs a search on the Graph, starting from a random node. Then iteratively goes depth-first through the triplets where the node is subject and object. Return True if all nodes have been visited and False if it cannot continue and there are still unvisited nodes left.

Return type

bool

de_skolemize(new_graph=None, uriref=None)[source]
Parameters
Return type

Graph

destroy(configuration)[source]

Destroy the store identified by configuration if supported

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

property identifier: IdentifiedNode
Return type

IdentifiedNode

isomorphic(other)[source]

does a very basic check if these graphs are the same If no BNodes are involved, this is accurate.

See rdflib.compare for a correct implementation of isomorphism checks

Parameters

other (Graph) –

Return type

bool

items(list)[source]

Generator over all items in the resource specified by list

list is an RDF collection.

Parameters

list (Node) –

Return type

Generator[Node, None, None]

n3()[source]

Return an n3 identifier for the Graph

Return type

str

property namespace_manager: NamespaceManager

this graph’s namespace-manager

Return type

NamespaceManager

namespaces()[source]

Generator over all the prefix, namespace tuples

Return type

Generator[Tuple[str, URIRef], None, None]

objects(subject=None, predicate=None, unique=False)[source]

A generator of (optionally unique) objects with the given subject and predicate

Parameters
Return type

Generator[Node, None, None]

open(configuration, create=False)[source]

Open the graph store

Might be necessary for stores that require opening a connection to a database or acquiring some resource.

Parameters
  • configuration (str) –

  • create (bool) –

Return type

Optional[int]

parse(source=None, publicID=None, format=None, location=None, file=None, data=None, **args)[source]

Parse an RDF source adding the resulting triples to the Graph.

The source is specified using one of source, location, file or data.

Caution

This method can access directly or indirectly requested network or file resources, for example, when parsing JSON-LD documents with @context directives that point to a network location.

When processing untrusted or potentially malicious documents, measures should be taken to restrict network and file access.

For information on available security measures, see the RDFLib Security Considerations documentation.

Parameters
  • source: An InputSource, file-like object, or string. In the case of a string the string is the location of the source.

  • location: A string indicating the relative or absolute URL of the source. Graph’s absolutize method is used if a relative location is specified.

  • file: A file-like object.

  • data: A string containing the data to be parsed.

  • format: Used if format can not be determined from source, e.g. file extension or Media Type. Defaults to text/turtle. Format support can be extended with plugins, but “xml”, “n3” (use for turtle), “nt” & “trix” are built in.

  • publicID: the logical URI to use as the document base. If None specified the document location is used (at least in the case where there is a document location).

Returns
  • self, the graph instance.

Examples:

>>> my_data = '''
... <rdf:RDF
...   xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
...   xmlns:rdfs="http://www.w3.org/2000/01/rdf-schema#"
... >
...   <rdf:Description>
...     <rdfs:label>Example</rdfs:label>
...     <rdfs:comment>This is really just an example.</rdfs:comment>
...   </rdf:Description>
... </rdf:RDF>
... '''
>>> import os, tempfile
>>> fd, file_name = tempfile.mkstemp()
>>> f = os.fdopen(fd, "w")
>>> dummy = f.write(my_data)  # Returns num bytes written
>>> f.close()
>>> g = Graph()
>>> result = g.parse(data=my_data, format="application/rdf+xml")
>>> len(g)
2
>>> g = Graph()
>>> result = g.parse(location=file_name, format="application/rdf+xml")
>>> len(g)
2
>>> g = Graph()
>>> with open(file_name, "r") as f:
...     result = g.parse(f, format="application/rdf+xml")
>>> len(g)
2
>>> os.remove(file_name)
>>> # default turtle parsing
>>> result = g.parse(data="<http://example.com/a> <http://example.com/a> <http://example.com/a> .")
>>> len(g)
3
Parameters
Return type

Graph

predicate_objects(subject=None, unique=False)[source]

A generator of (optionally unique) (predicate, object) tuples for the given subject

Parameters
Return type

Generator[Tuple[Node, Node], None, None]

predicates(subject=None, object=None, unique=False)[source]

A generator of (optionally unique) predicates with the given subject and object

Parameters
Return type

Generator[Node, None, None]

print(format='turtle', encoding='utf-8', out=None)[source]
Parameters
Return type

None

qname(uri)[source]
Parameters

uri (str) –

Return type

str

query(query_object, processor='sparql', result='sparql', initNs=None, initBindings=None, use_store_provided=True, **kwargs)[source]

Query this graph.

A type of ‘prepared queries’ can be realised by providing initial variable bindings with initBindings

Initial namespaces are used to resolve prefixes used in the query, if none are given, the namespaces from the graph’s namespace manager are used.

Caution

This method can access indirectly requested network endpoints, for example, query processing will attempt to access network endpoints specified in SERVICE directives.

When processing untrusted or potentially malicious queries, measures should be taken to restrict network and file access.

For information on available security measures, see the RDFLib Security Considerations documentation.

Returntype

Result

Parameters
Return type

Result

remove(triple)[source]

Remove a triple from the graph

If the triple does not provide a context attribute, removes the triple from all contexts.

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

resource(identifier)[source]

Create a new Resource instance.

Parameters:

  • identifier: a URIRef or BNode instance.

Example:

>>> graph = Graph()
>>> uri = URIRef("http://example.org/resource")
>>> resource = graph.resource(uri)
>>> assert isinstance(resource, Resource)
>>> assert resource.identifier is uri
>>> assert resource.graph is graph
Parameters

identifier (Union[Node, str]) –

Return type

Resource

rollback()[source]

Rollback active transactions

Parameters

self (TypeVar(_GraphT, bound= Graph)) –

Return type

TypeVar(_GraphT, bound= Graph)

serialize(destination: None, format: str, base: Optional[str], encoding: str, **args: Any) bytes[source]
serialize(destination: None = None, format: str = 'turtle', base: Optional[str] = None, *, encoding: str, **args: Any) bytes
serialize(destination: None = None, format: str = 'turtle', base: Optional[str] = None, encoding: None = None, **args: Any) str
serialize(destination: Union[str, PurePath, IO[bytes]], format: str = 'turtle', base: Optional[str] = None, encoding: Optional[str] = None, **args: Any) Graph
serialize(destination: Optional[Union[str, PurePath, IO[bytes]]] = None, format: str = 'turtle', base: Optional[str] = None, encoding: Optional[str] = None, **args: Any) Union[bytes, str, Graph]

Serialize the graph.

Parameters
  • destination (Union[str, PurePath, IO[bytes], None]) – The destination to serialize the graph to. This can be a path as a str or PurePath object, or it can be a IO[bytes] like object. If this parameter is not supplied the serialized graph will be returned.

  • format (str) – The format that the output should be written in. This value references a Serializer plugin. Format support can be extended with plugins, but "xml", "n3", "turtle", "nt", "pretty-xml", "trix", "trig", "nquads", "json-ld" and "hext" are built in. Defaults to "turtle".

  • base (Optional[str]) – The base IRI for formats that support it. For the turtle format this will be used as the @base directive.

  • encoding (Optional[str]) – Encoding of output.

  • args (Any) – Additional arguments to pass to the Serializer that will be used.

  • self (TypeVar(_GraphT, bound= Graph)) –

Returns

The serialized graph if destination is None. The serialized graph is returned as str if no encoding is specified, and as bytes if an encoding is specified.

Return type

bytes if destination is None and encoding is not None.

Return type

str if destination is None and encoding is None.

Returns

self (i.e. the Graph instance) if destination is not None.

Return type

Graph if destination is not None.

set(triple)[source]

Convenience method to update the value of object

Remove any existing triples for subject and predicate before adding (subject, predicate, object).

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

skolemize(new_graph=None, bnode=None, authority=None, basepath=None)[source]
Parameters
Return type

Graph

property store: Store
Return type

Store

subject_objects(predicate=None, unique=False)[source]

A generator of (optionally unique) (subject, object) tuples for the given predicate

Parameters
Return type

Generator[Tuple[Node, Node], None, None]

subject_predicates(object=None, unique=False)[source]

A generator of (optionally unique) (subject, predicate) tuples for the given object

Parameters
Return type

Generator[Tuple[Node, Node], None, None]

subjects(predicate=None, object=None, unique=False)[source]

A generator of (optionally unique) subjects with the given predicate and object

Parameters
Return type

Generator[Node, None, None]

toPython()[source]
Parameters

self (TypeVar(_GraphT, bound= Graph)) –

Return type

TypeVar(_GraphT, bound= Graph)

transitiveClosure(func, arg, seen=None)[source]

Generates transitive closure of a user-defined function against the graph

>>> from rdflib.collection import Collection
>>> g=Graph()
>>> a=BNode("foo")
>>> b=BNode("bar")
>>> c=BNode("baz")
>>> g.add((a,RDF.first,RDF.type)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((a,RDF.rest,b)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((b,RDF.first,namespace.RDFS.label)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((b,RDF.rest,c)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((c,RDF.first,namespace.RDFS.comment)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((c,RDF.rest,RDF.nil)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> def topList(node,g):
...    for s in g.subjects(RDF.rest, node):
...       yield s
>>> def reverseList(node,g):
...    for f in g.objects(node, RDF.first):
...       print(f)
...    for s in g.subjects(RDF.rest, node):
...       yield s
>>> [rt for rt in g.transitiveClosure(
...     topList,RDF.nil)] 
[rdflib.term.BNode('baz'),
 rdflib.term.BNode('bar'),
 rdflib.term.BNode('foo')]
>>> [rt for rt in g.transitiveClosure(
...     reverseList,RDF.nil)] 
http://www.w3.org/2000/01/rdf-schema#comment
http://www.w3.org/2000/01/rdf-schema#label
http://www.w3.org/1999/02/22-rdf-syntax-ns#type
[rdflib.term.BNode('baz'),
 rdflib.term.BNode('bar'),
 rdflib.term.BNode('foo')]
Parameters
transitive_objects(subject, predicate, remember=None)[source]

Transitively generate objects for the predicate relationship

Generated objects belong to the depth first transitive closure of the predicate relationship starting at subject.

Parameters
Return type

Generator[Optional[Node], None, None]

transitive_subjects(predicate, object, remember=None)[source]

Transitively generate subjects for the predicate relationship

Generated subjects belong to the depth first transitive closure of the predicate relationship starting at object.

Parameters
Return type

Generator[Optional[Node], None, None]

triples(triple: Tuple[Optional[Node], Optional[Node], Optional[Node]]) Generator[Tuple[Node, Node, Node], None, None][source]
triples(triple: Tuple[Optional[Node], Path, Optional[Node]]) Generator[Tuple[Node, Path, Node], None, None]
triples(triple: Tuple[Optional[Node], Optional[Union[Path, Node]], Optional[Node]]) Generator[Union[Tuple[Node, Node, Node], Tuple[Node, Path, Node]], None, None]

Generator over the triple store

Returns triples that match the given triple pattern. If triple pattern does not provide a context, all contexts will be searched.

Parameters

triple (Tuple[Optional[Node], Union[Path, Node, None], Optional[Node]]) –

Return type

Generator[Union[Tuple[Node, Node, Node], Tuple[Node, Path, Node]], None, None]

triples_choices(triple, context=None)[source]
Parameters
Return type

Generator[Tuple[Node, Node, Node], None, None]

update(update_object, processor='sparql', initNs=None, initBindings=None, use_store_provided=True, **kwargs)[source]

Update this graph with the given update query.

Caution

This method can access indirectly requested network endpoints, for example, query processing will attempt to access network endpoints specified in SERVICE directives.

When processing untrusted or potentially malicious queries, measures should be taken to restrict network and file access.

For information on available security measures, see the RDFLib Security Considerations documentation.

Parameters
Return type

None

value(subject: None = None, predicate: None = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#value'), object: Optional[Node] = None, default: Optional[Node] = None, any: bool = True) None[source]
value(subject: Optional[Node] = None, predicate: None = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#value'), object: None = None, default: Optional[Node] = None, any: bool = True) None
value(subject: None = None, predicate: Optional[Node] = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#value'), object: None = None, default: Optional[Node] = None, any: bool = True) None
value(subject: Optional[Node] = None, predicate: Optional[Node] = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#value'), object: Optional[Node] = None, default: Optional[Node] = None, any: bool = True) Optional[Node]

Get a value for a pair of two criteria

Exactly one of subject, predicate, object must be None. Useful if one knows that there may only be one value.

It is one of those situations that occur a lot, hence this ‘macro’ like utility

Parameters: subject, predicate, object – exactly one must be None default – value to be returned if no values found any – if True, return any value in the case there is more than one, else, raise UniquenessError

Parameters
Return type

Optional[Node]

exception rdflib.graph.ModificationException[source]

Bases: Exception

__init__()[source]
__module__ = 'rdflib.graph'
__str__()[source]

Return str(self).

Return type

str

__weakref__

list of weak references to the object (if defined)

class rdflib.graph.QuotedGraph(store, identifier)[source]

Bases: Graph

Quoted Graphs are intended to implement Notation 3 formulae. They are associated with a required identifier that the N3 parser must provide in order to maintain consistent formulae identification for scenarios such as implication and other such processing.

Parameters
__init__(store, identifier)[source]
Parameters
__module__ = 'rdflib.graph'
__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[Graph], Tuple[Store, IdentifiedNode]]

__str__()[source]

Return str(self).

Return type

str

add(triple)[source]

Add a triple with self as context

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

addN(quads)[source]

Add a sequence of triple with context

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

n3()[source]

Return an n3 identifier for the Graph

Return type

str

class rdflib.graph.ReadOnlyGraphAggregate(graphs, store='default')[source]

Bases: ConjunctiveGraph

Utility class for treating a set of graphs as a single graph

Only read operations are supported (hence the name). Essentially a ConjunctiveGraph over an explicit subset of the entire store.

Parameters
__cmp__(other)[source]
Return type

int

__contains__(triple_or_quad)[source]

Support for ‘triple/quad in graph’ syntax

Parameters

triple_or_quad (Union[Tuple[Optional[Node], Optional[Node], Optional[Node]], Tuple[Optional[Node], Optional[Node], Optional[Node], Optional[Graph]]]) –

Return type

bool

__hash__()[source]

Return hash(self).

Return type

NoReturn

__iadd__(other)[source]

Add all triples in Graph other to Graph. BNode IDs are not changed.

Parameters
Return type

NoReturn

__init__(graphs, store='default')[source]
Parameters
__isub__(other)[source]

Subtract all triples in Graph other from Graph. BNode IDs are not changed.

Parameters
Return type

NoReturn

__len__()[source]

Number of triples in the entire conjunctive graph

Return type

int

__module__ = 'rdflib.graph'
__reduce__()[source]

Helper for pickle.

Return type

NoReturn

__repr__()[source]

Return repr(self).

Return type

str

absolutize(uri, defrag=1)[source]

Turn uri into an absolute URI if it’s not one already

Parameters
  • uri (str) –

  • defrag (int) –

Return type

NoReturn

add(triple)[source]

Add a triple or quad to the store.

if a triple is given it is added to the default context

Parameters

triple (Union[Tuple[Node, Node, Node], Tuple[Node, Node, Node, Optional[Graph]]]) –

Return type

NoReturn

addN(quads)[source]

Add a sequence of triples with context

Parameters

quads (Iterable[Tuple[Node, Node, Node, Graph]]) –

Return type

NoReturn

bind(prefix, namespace, override=True)[source]

Bind prefix to namespace

If override is True will bind namespace to given prefix even if namespace was already bound to a different prefix.

if replace, replace any existing prefix with the new namespace

for example: graph.bind(“foaf”, “http://xmlns.com/foaf/0.1/”)

Parameters
Return type

NoReturn

close()[source]

Close the graph store

Might be necessary for stores that require closing a connection to a database or releasing some resource.

Return type

None

commit()[source]

Commits active transactions

Return type

NoReturn

compute_qname(uri, generate=True)[source]
Parameters
  • uri (str) –

  • generate (bool) –

Return type

Tuple[str, URIRef, str]

default_context: Graph
destroy(configuration)[source]

Destroy the store identified by configuration if supported

Parameters

configuration (str) –

Return type

NoReturn

n3()[source]

Return an n3 identifier for the Graph

Return type

NoReturn

namespaces()[source]

Generator over all the prefix, namespace tuples

Return type

Generator[Tuple[str, URIRef], None, None]

open(configuration, create=False)[source]

Open the graph store

Might be necessary for stores that require opening a connection to a database or acquiring some resource.

Parameters
  • configuration (str) –

  • create (bool) –

Return type

None

parse(source, publicID=None, format=None, **args)[source]

Parse source adding the resulting triples to its own context (sub graph of this graph).

See rdflib.graph.Graph.parse() for documentation on arguments.

Returns

The graph into which the source was parsed. In the case of n3 it returns the root context.

Caution

This method can access directly or indirectly requested network or file resources, for example, when parsing JSON-LD documents with @context directives that point to a network location.

When processing untrusted or potentially malicious documents, measures should be taken to restrict network and file access.

For information on available security measures, see the RDFLib Security Considerations documentation.

Parameters
Return type

NoReturn

qname(uri)[source]
Parameters

uri (str) –

Return type

str

quads(triple_or_quad)[source]

Iterate over all the quads in the entire aggregate graph

Parameters

triple_or_quad (Union[Tuple[Optional[Node], Union[Path, Node, None], Optional[Node]], Tuple[Optional[Node], Union[Path, Node, None], Optional[Node], Optional[Graph]]]) –

Return type

Generator[Tuple[Node, Union[Path, Node], Node, Graph], None, None]

remove(triple)[source]

Removes a triple or quads

if a triple is given it is removed from all contexts

a quad is removed from the given context only

Parameters

triple (Union[Tuple[Node, Node, Node], Tuple[Node, Node, Node, Optional[Graph]]]) –

Return type

NoReturn

rollback()[source]

Rollback active transactions

Return type

NoReturn

triples(triple: Tuple[Optional[Node], Optional[Node], Optional[Node]]) Generator[Tuple[Node, Node, Node], None, None][source]
triples(triple: Tuple[Optional[Node], Path, Optional[Node]]) Generator[Tuple[Node, Path, Node], None, None]
triples(triple: Tuple[Optional[Node], Optional[Union[Path, Node]], Optional[Node]]) Generator[Union[Tuple[Node, Node, Node], Tuple[Node, Path, Node]], None, None]

Iterate over all the triples in the entire conjunctive graph

For legacy reasons, this can take the context to query either as a fourth element of the quad, or as the explicit context keyword parameter. The kw param takes precedence.

Parameters

triple (Tuple[Optional[Node], Union[Path, Node, None], Optional[Node]]) –

Return type

Generator[Union[Tuple[Node, Node, Node], Tuple[Node, Path, Node]], None, None]

triples_choices(triple, context=None)[source]

Iterate over all the triples in the entire conjunctive graph

Parameters
Return type

Generator[Tuple[Node, Node, Node], None, None]

class rdflib.graph.Seq(graph, subject)[source]

Bases: object

Wrapper around an RDF Seq resource

It implements a container type in Python with the order of the items returned corresponding to the Seq content. It is based on the natural ordering of the predicate names _1, _2, _3, etc, which is the ‘implementation’ of a sequence in RDF terms.

Parameters
__dict__ = mappingproxy({'__module__': 'rdflib.graph', '__doc__': "Wrapper around an RDF Seq resource\n\n    It implements a container type in Python with the order of the items\n    returned corresponding to the Seq content. It is based on the natural\n    ordering of the predicate names _1, _2, _3, etc, which is the\n    'implementation' of a sequence in RDF terms.\n    ", '__init__': <function Seq.__init__>, 'toPython': <function Seq.toPython>, '__iter__': <function Seq.__iter__>, '__len__': <function Seq.__len__>, '__getitem__': <function Seq.__getitem__>, '__dict__': <attribute '__dict__' of 'Seq' objects>, '__weakref__': <attribute '__weakref__' of 'Seq' objects>, '__annotations__': {'_list': 'List[Tuple[int, _ObjectType]]'}})
__getitem__(index)[source]

Item given by index from the Seq

Return type

Node

__init__(graph, subject)[source]

Parameters:

  • graph:

    the graph containing the Seq

  • subject:

    the subject of a Seq. Note that the init does not check whether this is a Seq, this is done in whoever creates this instance!

Parameters
__iter__()[source]

Generator over the items in the Seq

Return type

Generator[Node, None, None]

__len__()[source]

Length of the Seq

Return type

int

__module__ = 'rdflib.graph'
__weakref__

list of weak references to the object (if defined)

toPython()[source]
Return type

Seq

exception rdflib.graph.UnSupportedAggregateOperation[source]

Bases: Exception

__init__()[source]
__module__ = 'rdflib.graph'
__str__()[source]

Return str(self).

Return type

str

__weakref__

list of weak references to the object (if defined)

rdflib.parser module

Parser plugin interface.

This module defines the parser plugin interface and contains other related parser support code.

The module is mainly useful for those wanting to write a parser that can plugin to rdflib. If you are wanting to invoke a parser you likely want to do so through the Graph class parse method.

class rdflib.parser.FileInputSource(file)[source]

Bases: InputSource

Parameters

file (Union[BinaryIO, TextIO, TextIOBase, RawIOBase, BufferedIOBase]) –

__init__(file)[source]
Parameters

file (Union[BinaryIO, TextIO, TextIOBase, RawIOBase, BufferedIOBase]) –

__module__ = 'rdflib.parser'
__repr__()[source]

Return repr(self).

Return type

str

class rdflib.parser.InputSource(system_id=None)[source]

Bases: InputSource

TODO:

Parameters

system_id (Optional[str]) –

__init__(system_id=None)[source]
Parameters

system_id (Optional[str]) –

__module__ = 'rdflib.parser'
close()[source]
Return type

None

class rdflib.parser.Parser[source]

Bases: object

__init__()[source]
__module__ = 'rdflib.parser'
__slots__ = ()
parse(source, sink)[source]
Parameters
Return type

None

class rdflib.parser.PythonInputSource(data, system_id=None)[source]

Bases: InputSource

Constructs an RDFLib Parser InputSource from a Python data structure, for example, loaded from JSON with json.load or json.loads:

>>> import json
>>> as_string = """{
...   "@context" : {"ex" : "http://example.com/ns#"},
...   "@graph": [{"@type": "ex:item", "@id": "#example"}]
... }"""
>>> as_python = json.loads(as_string)
>>> source = create_input_source(data=as_python)
>>> isinstance(source, PythonInputSource)
True
Parameters
__init__(data, system_id=None)[source]
Parameters
__module__ = 'rdflib.parser'
close()[source]
Return type

None

content_type: Optional[str]
getPublicId()[source]

Returns the public identifier of this InputSource.

Return type

Optional[str]

getSystemId()[source]

Returns the system identifier of this InputSource.

Return type

Optional[str]

setPublicId(public_id)[source]

Sets the public identifier of this InputSource.

Parameters

public_id (Optional[str]) –

Return type

None

setSystemId(system_id)[source]

Sets the system identifier of this InputSource.

Parameters

system_id (Optional[str]) –

Return type

None

class rdflib.parser.StringInputSource(value, encoding='utf-8', system_id=None)[source]

Bases: InputSource

Constructs an RDFLib Parser InputSource from a Python String or Bytes

Parameters
__init__(value, encoding='utf-8', system_id=None)[source]
Parameters
__module__ = 'rdflib.parser'
content_type: Optional[str]
class rdflib.parser.URLInputSource(system_id=None, format=None)[source]

Bases: InputSource

Constructs an RDFLib Parser InputSource from a URL to read it from the Web.

Parameters
__annotations__ = {'links': 'List[str]'}
__init__(system_id=None, format=None)[source]
Parameters
__module__ = 'rdflib.parser'
__repr__()[source]

Return repr(self).

Return type

str

get_alternates(type_=None)[source]
Parameters

type_ (Optional[str]) –

Return type

List[str]

Parameters

response (addinfourl) –

Return type

List[str]

classmethod getallmatchingheaders(message, name)[source]
Parameters

message (Message) –

Return type

List[str]

rdflib.paths module

This module implements the SPARQL 1.1 Property path operators, as defined in:

http://www.w3.org/TR/sparql11-query/#propertypaths

In SPARQL the syntax is as follows:

Syntax

Matches

iri

An IRI. A path of length one.

^elt

Inverse path (object to subject).

elt1 / elt2

A sequence path of elt1 followed by elt2.

elt1 | elt2

A alternative path of elt1 or elt2 (all possibilities are tried).

elt*

A path that connects the subject and object of the path by zero or more matches of elt.

elt+

A path that connects the subject and object of the path by one or more matches of elt.

elt?

A path that connects the subject and object of the path by zero or one matches of elt.

!iri or !(iri1| … |irin)

Negated property set. An IRI which is not one of iri1…irin. !iri is short for !(iri).

!^iri or !(^iri1| …|^irin)

Negated property set where the excluded matches are based on reversed path. That is, not one of iri1…irin as reverse paths. !^iri is short for !(^iri).

!(iri1| …|irij|^irij+1|… |^irin)|

A combination of forward and reverse properties in a negated property set.

(elt)

A group path elt, brackets control precedence.

This module is used internally by the SPARQL engine, but the property paths can also be used to query RDFLib Graphs directly.

Where possible the SPARQL syntax is mapped to Python operators, and property path objects can be constructed from existing URIRefs.

>>> from rdflib import Graph, Namespace
>>> from rdflib.namespace import FOAF
>>> ~FOAF.knows
Path(~http://xmlns.com/foaf/0.1/knows)
>>> FOAF.knows/FOAF.name
Path(http://xmlns.com/foaf/0.1/knows / http://xmlns.com/foaf/0.1/name)
>>> FOAF.name|FOAF.givenName
Path(http://xmlns.com/foaf/0.1/name | http://xmlns.com/foaf/0.1/givenName)

Modifiers (?, *, +) are done using * (the multiplication operator) and the strings ‘*’, ‘?’, ‘+’, also defined as constants in this file.

>>> FOAF.knows*OneOrMore
Path(http://xmlns.com/foaf/0.1/knows+)

The path objects can also be used with the normal graph methods.

First some example data:

>>> g=Graph()
>>> g=g.parse(data='''
... @prefix : <ex:> .
...
... :a :p1 :c ; :p2 :f .
... :c :p2 :e ; :p3 :g .
... :g :p3 :h ; :p2 :j .
... :h :p3 :a ; :p2 :g .
...
... :q :px :q .
...
... ''', format='n3') 
>>> e = Namespace('ex:')

Graph contains:

>>> (e.a, e.p1/e.p2, e.e) in g
True

Graph generator functions, triples, subjects, objects, etc. :

>>> list(g.objects(e.c, (e.p3*OneOrMore)/e.p2)) 
[rdflib.term.URIRef('ex:j'), rdflib.term.URIRef('ex:g'),
    rdflib.term.URIRef('ex:f')]

A more complete set of tests:

>>> list(eval_path(g, (None, e.p1/e.p2, None)))==[(e.a, e.e)]
True
>>> list(eval_path(g, (e.a, e.p1|e.p2, None)))==[(e.a,e.c), (e.a,e.f)]
True
>>> list(eval_path(g, (e.c, ~e.p1, None))) == [ (e.c, e.a) ]
True
>>> list(eval_path(g, (e.a, e.p1*ZeroOrOne, None))) == [(e.a, e.a), (e.a, e.c)]
True
>>> list(eval_path(g, (e.c, e.p3*OneOrMore, None))) == [
...     (e.c, e.g), (e.c, e.h), (e.c, e.a)]
True
>>> list(eval_path(g, (e.c, e.p3*ZeroOrMore, None))) == [(e.c, e.c),
...     (e.c, e.g), (e.c, e.h), (e.c, e.a)]
True
>>> list(eval_path(g, (e.a, -e.p1, None))) == [(e.a, e.f)]
True
>>> list(eval_path(g, (e.a, -(e.p1|e.p2), None))) == []
True
>>> list(eval_path(g, (e.g, -~e.p2, None))) == [(e.g, e.j)]
True
>>> list(eval_path(g, (e.e, ~(e.p1/e.p2), None))) == [(e.e, e.a)]
True
>>> list(eval_path(g, (e.a, e.p1/e.p3/e.p3, None))) == [(e.a, e.h)]
True
>>> list(eval_path(g, (e.q, e.px*OneOrMore, None)))
[(rdflib.term.URIRef('ex:q'), rdflib.term.URIRef('ex:q'))]
>>> list(eval_path(g, (None, e.p1|e.p2, e.c)))
[(rdflib.term.URIRef('ex:a'), rdflib.term.URIRef('ex:c'))]
>>> list(eval_path(g, (None, ~e.p1, e.a))) == [ (e.c, e.a) ]
True
>>> list(eval_path(g, (None, e.p1*ZeroOrOne, e.c))) 
[(rdflib.term.URIRef('ex:c'), rdflib.term.URIRef('ex:c')),
 (rdflib.term.URIRef('ex:a'), rdflib.term.URIRef('ex:c'))]
>>> list(eval_path(g, (None, e.p3*OneOrMore, e.a))) 
[(rdflib.term.URIRef('ex:h'), rdflib.term.URIRef('ex:a')),
 (rdflib.term.URIRef('ex:g'), rdflib.term.URIRef('ex:a')),
 (rdflib.term.URIRef('ex:c'), rdflib.term.URIRef('ex:a'))]
>>> list(eval_path(g, (None, e.p3*ZeroOrMore, e.a))) 
[(rdflib.term.URIRef('ex:a'), rdflib.term.URIRef('ex:a')),
 (rdflib.term.URIRef('ex:h'), rdflib.term.URIRef('ex:a')),
 (rdflib.term.URIRef('ex:g'), rdflib.term.URIRef('ex:a')),
 (rdflib.term.URIRef('ex:c'), rdflib.term.URIRef('ex:a'))]
>>> list(eval_path(g, (None, -e.p1, e.f))) == [(e.a, e.f)]
True
>>> list(eval_path(g, (None, -(e.p1|e.p2), e.c))) == []
True
>>> list(eval_path(g, (None, -~e.p2, e.j))) == [(e.g, e.j)]
True
>>> list(eval_path(g, (None, ~(e.p1/e.p2), e.a))) == [(e.e, e.a)]
True
>>> list(eval_path(g, (None, e.p1/e.p3/e.p3, e.h))) == [(e.a, e.h)]
True
>>> list(eval_path(g, (e.q, e.px*OneOrMore, None)))
[(rdflib.term.URIRef('ex:q'), rdflib.term.URIRef('ex:q'))]
>>> list(eval_path(g, (e.c, (e.p2|e.p3)*ZeroOrMore, e.j)))
[(rdflib.term.URIRef('ex:c'), rdflib.term.URIRef('ex:j'))]

No vars specified:

>>> sorted(list(eval_path(g, (None, e.p3*OneOrMore, None)))) 
[(rdflib.term.URIRef('ex:c'), rdflib.term.URIRef('ex:a')),
 (rdflib.term.URIRef('ex:c'), rdflib.term.URIRef('ex:g')),
 (rdflib.term.URIRef('ex:c'), rdflib.term.URIRef('ex:h')),
 (rdflib.term.URIRef('ex:g'), rdflib.term.URIRef('ex:a')),
 (rdflib.term.URIRef('ex:g'), rdflib.term.URIRef('ex:h')),
 (rdflib.term.URIRef('ex:h'), rdflib.term.URIRef('ex:a'))]
class rdflib.paths.AlternativePath(*args)[source]

Bases: Path

Parameters

args (Union[Path, URIRef]) –

__init__(*args)[source]
Parameters

args (Union[Path, URIRef]) –

__module__ = 'rdflib.paths'
__repr__()[source]

Return repr(self).

Return type

str

eval(graph, subj=None, obj=None)[source]
Parameters
Return type

Generator[Tuple[Node, Node], None, None]

n3(namespace_manager=None)[source]
Parameters

namespace_manager (Optional[NamespaceManager]) –

Return type

str

class rdflib.paths.InvPath(arg)[source]

Bases: Path

Parameters

arg (Union[Path, URIRef]) –

__init__(arg)[source]
Parameters

arg (Union[Path, URIRef]) –

__module__ = 'rdflib.paths'
__repr__()[source]

Return repr(self).

Return type

str

eval(graph, subj=None, obj=None)[source]
Parameters
Return type

Generator[Tuple[Node, Node], None, None]

n3(namespace_manager=None)[source]
Parameters

namespace_manager (Optional[NamespaceManager]) –

Return type

str

class rdflib.paths.MulPath(path, mod)[source]

Bases: Path

Parameters
  • path (Union[Path, URIRef]) –

  • mod (Literal[‘*’, ‘+’, ‘?’]) –

__init__(path, mod)[source]
Parameters
  • path (Union[Path, URIRef]) –

  • mod (Literal[‘*’, ‘+’, ‘?’]) –

__module__ = 'rdflib.paths'
__repr__()[source]

Return repr(self).

Return type

str

eval(graph, subj=None, obj=None, first=True)[source]
Parameters
Return type

Generator[Tuple[Node, Node], None, None]

n3(namespace_manager=None)[source]
Parameters

namespace_manager (Optional[NamespaceManager]) –

Return type

str

class rdflib.paths.NegatedPath(arg)[source]

Bases: Path

Parameters

arg (Union[AlternativePath, InvPath, URIRef]) –

__init__(arg)[source]
Parameters

arg (Union[AlternativePath, InvPath, URIRef]) –

__module__ = 'rdflib.paths'
__repr__()[source]

Return repr(self).

Return type

str

eval(graph, subj=None, obj=None)[source]
n3(namespace_manager=None)[source]
Parameters

namespace_manager (Optional[NamespaceManager]) –

Return type

str

class rdflib.paths.Path[source]

Bases: object

__annotations__ = {'__invert__': "Callable[['Path'], 'InvPath']", '__mul__': "Callable[['Path', str], 'MulPath']", '__neg__': "Callable[['Path'], 'NegatedPath']", '__or__': "Callable[['Path', Union['URIRef', 'Path']], 'AlternativePath']", '__truediv__': "Callable[['Path', Union['URIRef', 'Path']], 'SequencePath']"}
__dict__ = mappingproxy({'__module__': 'rdflib.paths', '__annotations__': {'__or__': "Callable[['Path', Union['URIRef', 'Path']], 'AlternativePath']", '__invert__': "Callable[['Path'], 'InvPath']", '__neg__': "Callable[['Path'], 'NegatedPath']", '__truediv__': "Callable[['Path', Union['URIRef', 'Path']], 'SequencePath']", '__mul__': "Callable[['Path', str], 'MulPath']"}, 'eval': <function Path.eval>, '__lt__': <function Path.__lt__>, '__dict__': <attribute '__dict__' of 'Path' objects>, '__weakref__': <attribute '__weakref__' of 'Path' objects>, '__doc__': None, '__gt__': <function _gt_from_lt>, '__le__': <function _le_from_lt>, '__ge__': <function _ge_from_lt>, '__invert__': <function inv_path>, '__neg__': <function neg_path>, '__mul__': <function mul_path>, '__or__': <function path_alternative>, '__truediv__': <function path_sequence>})
__ge__(other, NotImplemented=NotImplemented)

Return a >= b. Computed by @total_ordering from (not a < b).

__gt__(other, NotImplemented=NotImplemented)

Return a > b. Computed by @total_ordering from (not a < b) and (a != b).

__invert__()

inverse path

Parameters

p (Union[URIRef, Path]) –

Return type

InvPath

__le__(other, NotImplemented=NotImplemented)

Return a <= b. Computed by @total_ordering from (a < b) or (a == b).

__lt__(other)[source]

Return self<value.

Parameters

other (Any) –

Return type

bool

__module__ = 'rdflib.paths'
__mul__(mul)

cardinality path

Parameters
Return type

MulPath

__neg__()

negated path

Parameters

p (Union[URIRef, AlternativePath, InvPath]) –

Return type

NegatedPath

__or__(other)

alternative path

Parameters
__truediv__(other)

sequence path

Parameters
__weakref__

list of weak references to the object (if defined)

eval(graph, subj=None, obj=None)[source]
Parameters
Return type

Iterator[Tuple[Node, Node]]

class rdflib.paths.PathList(iterable=(), /)[source]

Bases: list

__dict__ = mappingproxy({'__module__': 'rdflib.paths', '__dict__': <attribute '__dict__' of 'PathList' objects>, '__weakref__': <attribute '__weakref__' of 'PathList' objects>, '__doc__': None, '__annotations__': {}})
__module__ = 'rdflib.paths'
__weakref__

list of weak references to the object (if defined)

class rdflib.paths.SequencePath(*args)[source]

Bases: Path

Parameters

args (Union[Path, URIRef]) –

__init__(*args)[source]
Parameters

args (Union[Path, URIRef]) –

__module__ = 'rdflib.paths'
__repr__()[source]

Return repr(self).

Return type

str

eval(graph, subj=None, obj=None)[source]
Parameters
Return type

Generator[Tuple[Node, Node], None, None]

n3(namespace_manager=None)[source]
Parameters

namespace_manager (Optional[NamespaceManager]) –

Return type

str

rdflib.paths.evalPath(graph, t)[source]
Parameters
Return type

Iterator[Tuple[Node, Node]]

rdflib.paths.eval_path(graph, t)[source]
Parameters
Return type

Iterator[Tuple[Node, Node]]

rdflib.paths.inv_path(p)[source]

inverse path

Parameters

p (Union[URIRef, Path]) –

Return type

InvPath

rdflib.paths.mul_path(p, mul)[source]

cardinality path

Parameters
Return type

MulPath

rdflib.paths.neg_path(p)[source]

negated path

Parameters

p (Union[URIRef, AlternativePath, InvPath]) –

Return type

NegatedPath

rdflib.paths.path_alternative(self, other)[source]

alternative path

Parameters
rdflib.paths.path_sequence(self, other)[source]

sequence path

Parameters

rdflib.plugin module

Plugin support for rdf.

There are a number of plugin points for rdf: parser, serializer, store, query processor, and query result. Plugins can be registered either through setuptools entry_points or by calling rdf.plugin.register directly.

If you have a package that uses a setuptools based setup.py you can add the following to your setup:

entry_points = {
    'rdf.plugins.parser': [
        'nt =     rdf.plugins.parsers.ntriples:NTParser',
        ],
    'rdf.plugins.serializer': [
        'nt =     rdf.plugins.serializers.NTSerializer:NTSerializer',
        ],
    }

See the setuptools dynamic discovery of services and plugins for more information.

class rdflib.plugin.PKGPlugin(name, kind, ep)[source]

Bases: Plugin[PluginT]

Parameters
  • name (str) –

  • kind (Type[TypeVar(PluginT)]) –

  • ep (EntryPoint) –

__init__(name, kind, ep)[source]
Parameters
  • name (str) –

  • kind (Type[TypeVar(PluginT)]) –

  • ep (EntryPoint) –

__module__ = 'rdflib.plugin'
__orig_bases__ = (rdflib.plugin.Plugin[~PluginT],)
__parameters__ = (~PluginT,)
getClass()[source]
Return type

Type[TypeVar(PluginT)]

class rdflib.plugin.Plugin(name, kind, module_path, class_name)[source]

Bases: Generic[PluginT]

Parameters
__dict__ = mappingproxy({'__module__': 'rdflib.plugin', '__init__': <function Plugin.__init__>, 'getClass': <function Plugin.getClass>, '__orig_bases__': (typing.Generic[~PluginT],), '__dict__': <attribute '__dict__' of 'Plugin' objects>, '__weakref__': <attribute '__weakref__' of 'Plugin' objects>, '__doc__': None, '__parameters__': (~PluginT,), '__annotations__': {'_class': 'Optional[Type[PluginT]]'}})
__init__(name, kind, module_path, class_name)[source]
Parameters
__module__ = 'rdflib.plugin'
__orig_bases__ = (typing.Generic[~PluginT],)
__parameters__ = (~PluginT,)
__weakref__

list of weak references to the object (if defined)

getClass()[source]
Return type

Type[TypeVar(PluginT)]

exception rdflib.plugin.PluginException(msg=None)[source]

Bases: Error

Parameters

msg (Optional[str]) –

__module__ = 'rdflib.plugin'
rdflib.plugin.PluginT

A generic type variable for plugins

alias of TypeVar(‘PluginT’)

rdflib.plugin.get(name, kind)[source]

Return the class for the specified (name, kind). Raises a PluginException if unable to do so.

Parameters
Return type

Type[TypeVar(PluginT)]

rdflib.plugin.plugins(name: Optional[str] = None, kind: Type[PluginT] = None) Iterator[Plugin[PluginT]][source]
rdflib.plugin.plugins(name: Optional[str] = None, kind: None = None) Iterator[Plugin]

A generator of the plugins.

Pass in name and kind to filter… else leave None to match all.

Parameters
Return type

Iterator[Plugin[TypeVar(PluginT)]]

rdflib.plugin.register(name, kind, module_path, class_name)[source]

Register the plugin for (name, kind). The module_path and class_name should be the path to a plugin class.

Parameters

rdflib.query module

class rdflib.query.EncodeOnlyUnicode(stream)[source]

Bases: object

This is a crappy work-around for http://bugs.python.org/issue11649

Parameters

stream (BinaryIO) –

__dict__ = mappingproxy({'__module__': 'rdflib.query', '__doc__': '\n    This is a crappy work-around for\n    http://bugs.python.org/issue11649\n\n\n    ', '__init__': <function EncodeOnlyUnicode.__init__>, 'write': <function EncodeOnlyUnicode.write>, '__getattr__': <function EncodeOnlyUnicode.__getattr__>, '__dict__': <attribute '__dict__' of 'EncodeOnlyUnicode' objects>, '__weakref__': <attribute '__weakref__' of 'EncodeOnlyUnicode' objects>, '__annotations__': {}})
__getattr__(name)[source]
Parameters

name (str) –

Return type

Any

__init__(stream)[source]
Parameters

stream (BinaryIO) –

__module__ = 'rdflib.query'
__weakref__

list of weak references to the object (if defined)

write(arg)[source]
class rdflib.query.Processor(graph)[source]

Bases: object

Query plugin interface.

This module is useful for those wanting to write a query processor that can plugin to rdf. If you are wanting to execute a query you likely want to do so through the Graph class query method.

Parameters

graph (Graph) –

__dict__ = mappingproxy({'__module__': 'rdflib.query', '__doc__': '\n    Query plugin interface.\n\n    This module is useful for those wanting to write a query processor\n    that can plugin to rdf. If you are wanting to execute a query you\n    likely want to do so through the Graph class query method.\n\n    ', '__init__': <function Processor.__init__>, 'query': <function Processor.query>, '__dict__': <attribute '__dict__' of 'Processor' objects>, '__weakref__': <attribute '__weakref__' of 'Processor' objects>, '__annotations__': {}})
__init__(graph)[source]
Parameters

graph (Graph) –

__module__ = 'rdflib.query'
__weakref__

list of weak references to the object (if defined)

query(strOrQuery, initBindings={}, initNs={}, DEBUG=False)[source]
Parameters
Return type

Mapping[str, Any]

class rdflib.query.Result(type_)[source]

Bases: object

A common class for representing query result.

There is a bit of magic here that makes this appear like different Python objects, depending on the type of result.

If the type is “SELECT”, iterating will yield lists of ResultRow objects

If the type is “ASK”, iterating will yield a single bool (or bool(result) will return the same bool)

If the type is “CONSTRUCT” or “DESCRIBE” iterating will yield the triples.

len(result) also works.

Parameters

type_ (str) –

__bool__()[source]
Return type

bool

__dict__ = mappingproxy({'__module__': 'rdflib.query', '__doc__': '\n    A common class for representing query result.\n\n    There is a bit of magic here that makes this appear like different\n    Python objects, depending on the type of result.\n\n    If the type is "SELECT", iterating will yield lists of ResultRow objects\n\n    If the type is "ASK", iterating will yield a single bool (or\n    bool(result) will return the same bool)\n\n    If the type is "CONSTRUCT" or "DESCRIBE" iterating will yield the\n    triples.\n\n    len(result) also works.\n\n    ', '__init__': <function Result.__init__>, 'bindings': <property object>, 'parse': <staticmethod object>, 'serialize': <function Result.serialize>, '__len__': <function Result.__len__>, '__bool__': <function Result.__bool__>, '__iter__': <function Result.__iter__>, '__getattr__': <function Result.__getattr__>, '__eq__': <function Result.__eq__>, '__dict__': <attribute '__dict__' of 'Result' objects>, '__weakref__': <attribute '__weakref__' of 'Result' objects>, '__hash__': None, '__annotations__': {'vars': "Optional[List['Variable']]", '_bindings': "MutableSequence[Mapping['Variable', 'Identifier']]", '_genbindings': "Optional[Iterator[Mapping['Variable', 'Identifier']]]", 'askAnswer': 'Optional[bool]', 'graph': "Optional['Graph']"}})
__eq__(other)[source]

Return self==value.

Parameters

other (Any) –

Return type

bool

__getattr__(name)[source]
Parameters

name (str) –

Return type

Any

__hash__ = None
__init__(type_)[source]
Parameters

type_ (str) –

__iter__()[source]
Return type

Iterator[Union[Tuple[Node, Node, Node], bool, ResultRow]]

__len__()[source]
Return type

int

__module__ = 'rdflib.query'
__weakref__

list of weak references to the object (if defined)

property bindings: MutableSequence[Mapping[Variable, Identifier]]

a list of variable bindings as dicts

Return type

MutableSequence[Mapping[Variable, Identifier]]

static parse(source=None, format=None, content_type=None, **kwargs)[source]
Parameters
Return type

Result

serialize(destination=None, encoding='utf-8', format='xml', **args)[source]

Serialize the query result.

The format argument determines the Serializer class to use.

Parameters
  • destination (Union[str, IO, None]) – Path of file output or BufferedIOBase object to write the output to.

  • encoding (str) – Encoding of output.

  • format (str) – One of [‘csv’, ‘json’, ‘txt’, xml’]

  • args (Any) –

Return type

Optional[bytes]

Returns

bytes

vars: Optional[List[Variable]]

variables contained in the result.

exception rdflib.query.ResultException[source]

Bases: Exception

__module__ = 'rdflib.query'
__weakref__

list of weak references to the object (if defined)

class rdflib.query.ResultParser[source]

Bases: object

__dict__ = mappingproxy({'__module__': 'rdflib.query', '__init__': <function ResultParser.__init__>, 'parse': <function ResultParser.parse>, '__dict__': <attribute '__dict__' of 'ResultParser' objects>, '__weakref__': <attribute '__weakref__' of 'ResultParser' objects>, '__doc__': None, '__annotations__': {}})
__init__()[source]
__module__ = 'rdflib.query'
__weakref__

list of weak references to the object (if defined)

parse(source, **kwargs)[source]

return a Result object

Parameters
  • source (IO) –

  • kwargs (Any) –

Return type

Result

class rdflib.query.ResultRow(values: Mapping[Variable, Identifier], labels: List[Variable])[source]

Bases: Tuple[Identifier, …]

a single result row allows accessing bindings as attributes or with []

>>> from rdflib import URIRef, Variable
>>> rr=ResultRow({ Variable('a'): URIRef('urn:cake') }, [Variable('a')])
>>> rr[0]
rdflib.term.URIRef(u'urn:cake')
>>> rr[1]
Traceback (most recent call last):
    ...
IndexError: tuple index out of range
>>> rr.a
rdflib.term.URIRef(u'urn:cake')
>>> rr.b
Traceback (most recent call last):
    ...
AttributeError: b
>>> rr['a']
rdflib.term.URIRef(u'urn:cake')
>>> rr['b']
Traceback (most recent call last):
    ...
KeyError: 'b'
>>> rr[Variable('a')]
rdflib.term.URIRef(u'urn:cake')

New in version 4.0.

__annotations__ = {'labels': 'Mapping[str, int]'}
__dict__ = mappingproxy({'__module__': 'rdflib.query', '__annotations__': {'labels': 'Mapping[str, int]'}, '__doc__': "\n    a single result row\n    allows accessing bindings as attributes or with []\n\n    >>> from rdflib import URIRef, Variable\n    >>> rr=ResultRow({ Variable('a'): URIRef('urn:cake') }, [Variable('a')])\n\n    >>> rr[0]\n    rdflib.term.URIRef(u'urn:cake')\n    >>> rr[1]\n    Traceback (most recent call last):\n        ...\n    IndexError: tuple index out of range\n\n    >>> rr.a\n    rdflib.term.URIRef(u'urn:cake')\n    >>> rr.b\n    Traceback (most recent call last):\n        ...\n    AttributeError: b\n\n    >>> rr['a']\n    rdflib.term.URIRef(u'urn:cake')\n    >>> rr['b']\n    Traceback (most recent call last):\n        ...\n    KeyError: 'b'\n\n    >>> rr[Variable('a')]\n    rdflib.term.URIRef(u'urn:cake')\n\n    .. versionadded:: 4.0\n\n    ", '__new__': <staticmethod object>, '__getattr__': <function ResultRow.__getattr__>, '__getitem__': <function ResultRow.__getitem__>, 'get': <function ResultRow.get>, 'asdict': <function ResultRow.asdict>, '__orig_bases__': (typing.Tuple[ForwardRef('Identifier'), ...],), '__dict__': <attribute '__dict__' of 'ResultRow' objects>, '__parameters__': ()})
__getattr__(name)[source]
Parameters

name (str) –

Return type

Identifier

__getitem__(name)[source]

Return self[key].

Parameters

name (Union[str, int, Any]) –

Return type

Identifier

__module__ = 'rdflib.query'
static __new__(cls, values, labels)[source]
Parameters
__orig_bases__ = (typing.Tuple[ForwardRef('Identifier'), ...],)
__parameters__ = ()
asdict()[source]
Return type

Dict[str, Identifier]

get(name: str, default: Identifier) Identifier[source]
get(name: str, default: Optional[Identifier] = None) Optional[Identifier]
Parameters
Return type

Optional[Identifier]

labels: Mapping[str, int]
class rdflib.query.ResultSerializer(result)[source]

Bases: object

Parameters

result (Result) –

__dict__ = mappingproxy({'__module__': 'rdflib.query', '__init__': <function ResultSerializer.__init__>, 'serialize': <function ResultSerializer.serialize>, '__dict__': <attribute '__dict__' of 'ResultSerializer' objects>, '__weakref__': <attribute '__weakref__' of 'ResultSerializer' objects>, '__doc__': None, '__annotations__': {}})
__init__(result)[source]
Parameters

result (Result) –

__module__ = 'rdflib.query'
__weakref__

list of weak references to the object (if defined)

serialize(stream, encoding='utf-8', **kwargs)[source]

return a string properly serialized

Parameters
  • stream (IO) –

  • encoding (str) –

  • kwargs (Any) –

Return type

None

class rdflib.query.UpdateProcessor(graph)[source]

Bases: object

Update plugin interface.

This module is useful for those wanting to write an update processor that can plugin to rdflib. If you are wanting to execute an update statement you likely want to do so through the Graph class update method.

New in version 4.0.

Parameters

graph (Graph) –

__dict__ = mappingproxy({'__module__': 'rdflib.query', '__doc__': '\n    Update plugin interface.\n\n    This module is useful for those wanting to write an update\n    processor that can plugin to rdflib. If you are wanting to execute\n    an update statement you likely want to do so through the Graph\n    class update method.\n\n    .. versionadded:: 4.0\n\n    ', '__init__': <function UpdateProcessor.__init__>, 'update': <function UpdateProcessor.update>, '__dict__': <attribute '__dict__' of 'UpdateProcessor' objects>, '__weakref__': <attribute '__weakref__' of 'UpdateProcessor' objects>, '__annotations__': {}})
__init__(graph)[source]
Parameters

graph (Graph) –

__module__ = 'rdflib.query'
__weakref__

list of weak references to the object (if defined)

update(strOrQuery, initBindings={}, initNs={})[source]
Parameters
Return type

None

rdflib.resource module

The Resource class wraps a Graph and a resource reference (i.e. a rdflib.term.URIRef or rdflib.term.BNode) to support a resource-oriented way of working with a graph.

It contains methods directly corresponding to those methods of the Graph interface that relate to reading and writing data. The difference is that a Resource also binds a resource identifier, making it possible to work without tracking both the graph and a current subject. This makes for a “resource oriented” style, as compared to the triple orientation of the Graph API.

Resulting generators are also wrapped so that any resource reference values (rdflib.term.URIRef and rdflib.term.BNode) are in turn wrapped as Resources. (Note that this behaviour differs from the corresponding methods in Graph, where no such conversion takes place.)

Basic Usage Scenario

Start by importing things we need and define some namespaces:

>>> from rdflib import *
>>> FOAF = Namespace("http://xmlns.com/foaf/0.1/")
>>> CV = Namespace("http://purl.org/captsolo/resume-rdf/0.2/cv#")

Load some RDF data:

>>> graph = Graph().parse(format='n3', data='''
... @prefix rdfs: <http://www.w3.org/2000/01/rdf-schema#> .
... @prefix xsd: <http://www.w3.org/2001/XMLSchema#>.
... @prefix foaf: <http://xmlns.com/foaf/0.1/> .
... @prefix cv: <http://purl.org/captsolo/resume-rdf/0.2/cv#> .
...
... @base <http://example.org/> .
...
... </person/some1#self> a foaf:Person;
...     rdfs:comment "Just a Python & RDF hacker."@en;
...     foaf:depiction </images/person/some1.jpg>;
...     foaf:homepage <http://example.net/>;
...     foaf:name "Some Body" .
...
... </images/person/some1.jpg> a foaf:Image;
...     rdfs:label "some 1"@en;
...     rdfs:comment "Just an image"@en;
...     foaf:thumbnail </images/person/some1-thumb.jpg> .
...
... </images/person/some1-thumb.jpg> a foaf:Image .
...
... [] a cv:CV;
...     cv:aboutPerson </person/some1#self>;
...     cv:hasWorkHistory [ cv:employedIn </#company>;
...             cv:startDate "2009-09-04"^^xsd:date ] .
... ''')

Create a Resource:

>>> person = Resource(
...     graph, URIRef("http://example.org/person/some1#self"))

Retrieve some basic facts:

>>> person.identifier
rdflib.term.URIRef(u'http://example.org/person/some1#self')

>>> person.value(FOAF.name)
rdflib.term.Literal(u'Some Body')

>>> person.value(RDFS.comment)
rdflib.term.Literal(u'Just a Python & RDF hacker.', lang=u'en')

Resources can be sliced (like graphs, but the subject is fixed):

>>> for name in person[FOAF.name]:
...     print(name)
Some Body
>>> person[FOAF.name : Literal("Some Body")]
True

Resources as unicode are represented by their identifiers as unicode:

>>> %(unicode)s(person)  
u'Resource(http://example.org/person/some1#self'

Resource references are also Resources, so you can easily get e.g. a qname for the type of a resource, like:

>>> person.value(RDF.type).qname()
u'foaf:Person'

Or for the predicates of a resource:

>>> sorted(
...     p.qname() for p in person.predicates()
... )  
[u'foaf:depiction', u'foaf:homepage',
 u'foaf:name', u'rdf:type', u'rdfs:comment']

Follow relations and get more data from their Resources as well:

>>> for pic in person.objects(FOAF.depiction):
...     print(pic.identifier)
...     print(pic.value(RDF.type).qname())
...     print(pic.value(FOAF.thumbnail).identifier)
http://example.org/images/person/some1.jpg
foaf:Image
http://example.org/images/person/some1-thumb.jpg

>>> for cv in person.subjects(CV.aboutPerson):
...     work = list(cv.objects(CV.hasWorkHistory))[0]
...     print(work.value(CV.employedIn).identifier)
...     print(work.value(CV.startDate))
http://example.org/#company
2009-09-04

It’s just as easy to work with the predicates of a resource:

>>> for s, p in person.subject_predicates():
...     print(s.value(RDF.type).qname())
...     print(p.qname())
...     for s, o in p.subject_objects():
...         print(s.value(RDF.type).qname())
...         print(o.value(RDF.type).qname())
cv:CV
cv:aboutPerson
cv:CV
foaf:Person

This is useful for e.g. inspection:

>>> thumb_ref = URIRef("http://example.org/images/person/some1-thumb.jpg")
>>> thumb = Resource(graph, thumb_ref)
>>> for p, o in thumb.predicate_objects():
...     print(p.qname())
...     print(o.qname())
rdf:type
foaf:Image

Schema Example

With this artificial schema data:

>>> graph = Graph().parse(format='n3', data='''
... @prefix rdf: <http://www.w3.org/1999/02/22-rdf-syntax-ns#> .
... @prefix rdfs: <http://www.w3.org/2000/01/rdf-schema#> .
... @prefix owl: <http://www.w3.org/2002/07/owl#> .
... @prefix v: <http://example.org/def/v#> .
...
... v:Artifact a owl:Class .
...
... v:Document a owl:Class;
...     rdfs:subClassOf v:Artifact .
...
... v:Paper a owl:Class;
...     rdfs:subClassOf v:Document .
...
... v:Choice owl:oneOf (v:One v:Other) .
...
... v:Stuff a rdf:Seq; rdf:_1 v:One; rdf:_2 v:Other .
...
... ''')

From this class:

>>> artifact = Resource(graph, URIRef("http://example.org/def/v#Artifact"))

we can get at subclasses:

>>> subclasses = list(artifact.transitive_subjects(RDFS.subClassOf))
>>> [c.qname() for c in subclasses]
[u'v:Artifact', u'v:Document', u'v:Paper']

and superclasses from the last subclass:

>>> [c.qname() for c in subclasses[-1].transitive_objects(RDFS.subClassOf)]
[u'v:Paper', u'v:Document', u'v:Artifact']

Get items from the Choice:

>>> choice = Resource(graph, URIRef("http://example.org/def/v#Choice"))
>>> [it.qname() for it in choice.value(OWL.oneOf).items()]
[u'v:One', u'v:Other']
On add, other resources are auto-unboxed:
>>> paper = Resource(graph, URIRef("http://example.org/def/v#Paper"))
>>> paper.add(RDFS.subClassOf, artifact)
>>> artifact in paper.objects(RDFS.subClassOf) # checks Resource instance
True
>>> (paper._identifier, RDFS.subClassOf, artifact._identifier) in graph
True

Technical Details

Comparison is based on graph and identifier:

>>> g1 = Graph()
>>> t1 = Resource(g1, URIRef("http://example.org/thing"))
>>> t2 = Resource(g1, URIRef("http://example.org/thing"))
>>> t3 = Resource(g1, URIRef("http://example.org/other"))
>>> t4 = Resource(Graph(), URIRef("http://example.org/other"))

>>> t1 is t2
False

>>> t1 == t2
True
>>> t1 != t2
False

>>> t1 == t3
False
>>> t1 != t3
True

>>> t3 != t4
True

>>> t3 < t1 and t1 > t3
True
>>> t1 >= t1 and t1 >= t3
True
>>> t1 <= t1 and t3 <= t1
True

>>> t1 < t1 or t1 < t3 or t3 > t1 or t3 > t3
False

Hash is computed from graph and identifier:

>>> g1 = Graph()
>>> t1 = Resource(g1, URIRef("http://example.org/thing"))

>>> hash(t1) == hash(Resource(g1, URIRef("http://example.org/thing")))
True

>>> hash(t1) == hash(Resource(Graph(), t1.identifier))
False
>>> hash(t1) == hash(Resource(Graph(), URIRef("http://example.org/thing")))
False

The Resource class is suitable as a base class for mapper toolkits. For example, consider this utility for accessing RDF properties via qname-like attributes:

>>> class Item(Resource):
...
...     def __getattr__(self, p):
...         return list(self.objects(self._to_ref(*p.split('_', 1))))
...
...     def _to_ref(self, pfx, name):
...         return URIRef(self._graph.store.namespace(pfx) + name)

It works as follows:

>>> graph = Graph().parse(format='n3', data='''
... @prefix rdfs: <http://www.w3.org/2000/01/rdf-schema#> .
... @prefix foaf: <http://xmlns.com/foaf/0.1/> .
...
... @base <http://example.org/> .
... </person/some1#self>
...     foaf:name "Some Body";
...     foaf:depiction </images/person/some1.jpg> .
... </images/person/some1.jpg> rdfs:comment "Just an image"@en .
... ''')

>>> person = Item(graph, URIRef("http://example.org/person/some1#self"))

>>> print(person.foaf_name[0])
Some Body

The mechanism for wrapping references as resources cooperates with subclasses. Therefore, accessing referenced resources automatically creates new Item objects:

>>> isinstance(person.foaf_depiction[0], Item)
True

>>> print(person.foaf_depiction[0].rdfs_comment[0])
Just an image
class rdflib.resource.Resource(graph, subject)[source]

Bases: object

__dict__ = mappingproxy({'__module__': 'rdflib.resource', '__init__': <function Resource.__init__>, 'graph': <property object>, 'identifier': <property object>, '__hash__': <function Resource.__hash__>, '__eq__': <function Resource.__eq__>, '__ne__': <function Resource.__ne__>, '__lt__': <function Resource.__lt__>, '__gt__': <function Resource.__gt__>, '__le__': <function Resource.__le__>, '__ge__': <function Resource.__ge__>, '__unicode__': <function Resource.__unicode__>, 'add': <function Resource.add>, 'remove': <function Resource.remove>, 'set': <function Resource.set>, 'subjects': <function Resource.subjects>, 'predicates': <function Resource.predicates>, 'objects': <function Resource.objects>, 'subject_predicates': <function Resource.subject_predicates>, 'subject_objects': <function Resource.subject_objects>, 'predicate_objects': <function Resource.predicate_objects>, 'value': <function Resource.value>, 'items': <function Resource.items>, 'transitive_objects': <function Resource.transitive_objects>, 'transitive_subjects': <function Resource.transitive_subjects>, 'qname': <function Resource.qname>, '_resource_pairs': <function Resource._resource_pairs>, '_resource_triples': <function Resource._resource_triples>, '_resources': <function Resource._resources>, '_cast': <function Resource._cast>, '__iter__': <function Resource.__iter__>, '__getitem__': <function Resource.__getitem__>, '__setitem__': <function Resource.__setitem__>, '_new': <function Resource._new>, '__str__': <function Resource.__str__>, '__repr__': <function Resource.__repr__>, '__dict__': <attribute '__dict__' of 'Resource' objects>, '__weakref__': <attribute '__weakref__' of 'Resource' objects>, '__doc__': None, '__annotations__': {}})
__eq__(other)[source]

Return self==value.

__ge__(other)[source]

Return self>=value.

__getitem__(item)[source]
__gt__(other)[source]

Return self>value.

__hash__()[source]

Return hash(self).

__init__(graph, subject)[source]
__iter__()[source]
__le__(other)[source]

Return self<=value.

__lt__(other)[source]

Return self<value.

__module__ = 'rdflib.resource'
__ne__(other)[source]

Return self!=value.

__repr__()[source]

Return repr(self).

__setitem__(item, value)[source]
__str__()[source]

Return str(self).

__unicode__()[source]
__weakref__

list of weak references to the object (if defined)

add(p, o)[source]
property graph
property identifier
items()[source]
objects(predicate=None)[source]
predicate_objects()[source]
predicates(o=None)[source]
qname()[source]
remove(p, o=None)[source]
set(p, o)[source]
subject_objects()[source]
subject_predicates()[source]
subjects(predicate=None)[source]
transitive_objects(predicate, remember=None)[source]
transitive_subjects(predicate, remember=None)[source]
value(p=rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#value'), o=None, default=None, any=True)[source]

rdflib.serializer module

class rdflib.serializer.Serializer(store)[source]

Bases: object

Parameters

store (Graph) –

__dict__ = mappingproxy({'__module__': 'rdflib.serializer', '__init__': <function Serializer.__init__>, 'serialize': <function Serializer.serialize>, 'relativize': <function Serializer.relativize>, '__dict__': <attribute '__dict__' of 'Serializer' objects>, '__weakref__': <attribute '__weakref__' of 'Serializer' objects>, '__doc__': None, '__annotations__': {'store': "'Graph'", 'encoding': 'str', 'base': 'Optional[str]'}})
__init__(store)[source]
Parameters

store (Graph) –

__module__ = 'rdflib.serializer'
__weakref__

list of weak references to the object (if defined)

relativize(uri)[source]
Parameters

uri (TypeVar(_StrT, bound= str)) –

Return type

Union[TypeVar(_StrT, bound= str), URIRef]

serialize(stream, base=None, encoding=None, **args)[source]

Abstract method

Parameters
Return type

None

rdflib.store module

class rdflib.store.NodePickler[source]

Bases: object

__dict__ = mappingproxy({'__module__': 'rdflib.store', '__init__': <function NodePickler.__init__>, '_get_ids': <function NodePickler._get_ids>, 'register': <function NodePickler.register>, 'loads': <function NodePickler.loads>, 'dumps': <function NodePickler.dumps>, '__getstate__': <function NodePickler.__getstate__>, '__setstate__': <function NodePickler.__setstate__>, '__dict__': <attribute '__dict__' of 'NodePickler' objects>, '__weakref__': <attribute '__weakref__' of 'NodePickler' objects>, '__doc__': None, '__annotations__': {'_objects': 'Dict[str, Any]', '_ids': 'Dict[Any, str]'}})
__getstate__()[source]
Return type

Mapping[str, Any]

__init__()[source]
__module__ = 'rdflib.store'
__setstate__(state)[source]
Parameters

state (Mapping[str, Any]) –

Return type

None

__weakref__

list of weak references to the object (if defined)

dumps(obj, protocol=None, bin=None)[source]
Parameters
loads(s)[source]
Parameters

s (bytes) –

Return type

Node

register(object, id)[source]
Parameters
  • object (Any) –

  • id (str) –

Return type

None

class rdflib.store.Store(configuration=None, identifier=None)[source]

Bases: object

Parameters
__annotations__ = {'context_aware': 'bool', 'formula_aware': 'bool', 'graph_aware': 'bool', 'transaction_aware': 'bool'}
__dict__ = mappingproxy({'__module__': 'rdflib.store', '__annotations__': {'context_aware': 'bool', 'formula_aware': 'bool', 'transaction_aware': 'bool', 'graph_aware': 'bool', '__node_pickler': 'Optional[NodePickler]'}, 'context_aware': False, 'formula_aware': False, 'transaction_aware': False, 'graph_aware': False, '__init__': <function Store.__init__>, 'node_pickler': <property object>, 'create': <function Store.create>, 'open': <function Store.open>, 'close': <function Store.close>, 'destroy': <function Store.destroy>, 'gc': <function Store.gc>, 'add': <function Store.add>, 'addN': <function Store.addN>, 'remove': <function Store.remove>, 'triples_choices': <function Store.triples_choices>, 'triples': <function Store.triples>, '__len__': <function Store.__len__>, 'contexts': <function Store.contexts>, 'query': <function Store.query>, 'update': <function Store.update>, 'bind': <function Store.bind>, 'prefix': <function Store.prefix>, 'namespace': <function Store.namespace>, 'namespaces': <function Store.namespaces>, 'commit': <function Store.commit>, 'rollback': <function Store.rollback>, 'add_graph': <function Store.add_graph>, 'remove_graph': <function Store.remove_graph>, '__dict__': <attribute '__dict__' of 'Store' objects>, '__weakref__': <attribute '__weakref__' of 'Store' objects>, '__doc__': None})
__init__(configuration=None, identifier=None)[source]

identifier: URIRef of the Store. Defaults to CWD configuration: string containing information open can use to connect to datastore.

Parameters
__len__(context=None)[source]

Number of statements in the store. This should only account for non- quoted (asserted) statements if the context is not specified, otherwise it should return the number of statements in the formula or context given.

Parameters

context (Optional[Graph]) – a graph instance to query or None

Return type

int

__module__ = 'rdflib.store'
__weakref__

list of weak references to the object (if defined)

add(triple, context, quoted=False)[source]

Adds the given statement to a specific context or to the model. The quoted argument is interpreted by formula-aware stores to indicate this statement is quoted/hypothetical It should be an error to not specify a context and have the quoted argument be True. It should also be an error for the quoted argument to be True when the store is not formula-aware.

Parameters
Return type

None

addN(quads)[source]

Adds each item in the list of statements to a specific context. The quoted argument is interpreted by formula-aware stores to indicate this statement is quoted/hypothetical. Note that the default implementation is a redirect to add

Parameters

quads (Iterable[Tuple[Node, Node, Node, Graph]]) –

Return type

None

add_graph(graph)[source]

Add a graph to the store, no effect if the graph already exists. :type graph: Graph :param graph: a Graph instance

Return type

None

bind(prefix, namespace, override=True)[source]
Parameters
  • override (bool) – rebind, even if the given namespace is already bound to another prefix.

  • prefix (str) –

  • namespace (URIRef) –

Return type

None

close(commit_pending_transaction=False)[source]

This closes the database connection. The commit_pending_transaction parameter specifies whether to commit all pending transactions before closing (if the store is transactional).

Parameters

commit_pending_transaction (bool) –

Return type

None

commit()[source]
Return type

None

context_aware: bool = False
contexts(triple=None)[source]

Generator over all contexts in the graph. If triple is specified, a generator over all contexts the triple is in.

if store is graph_aware, may also return empty contexts

Return type

Generator[Graph, None, None]

Returns

a generator over Nodes

Parameters

triple (Optional[Tuple[Node, Node, Node]]) –

create(configuration)[source]
Parameters

configuration (str) –

Return type

None

destroy(configuration)[source]

This destroys the instance of the store identified by the configuration string.

Parameters

configuration (str) –

Return type

None

formula_aware: bool = False
gc()[source]

Allows the store to perform any needed garbage collection

Return type

None

graph_aware: bool = False
namespace(prefix)[source]
Parameters

prefix (str) –

Return type

Optional[URIRef]

namespaces()[source]
Return type

Iterator[Tuple[str, URIRef]]

property node_pickler: NodePickler
Return type

NodePickler

open(configuration, create=False)[source]

Opens the store specified by the configuration string. If create is True a store will be created if it does not already exist. If create is False and a store does not already exist an exception is raised. An exception is also raised if a store exists, but there is insufficient permissions to open the store. This should return one of: VALID_STORE, CORRUPTED_STORE, or NO_STORE

Parameters
  • configuration (str) –

  • create (bool) –

Return type

Optional[int]

prefix(namespace)[source]
Parameters

namespace (URIRef) –

Return type

Optional[str]

query(query, initNs, initBindings, queryGraph, **kwargs)[source]

If stores provide their own SPARQL implementation, override this.

queryGraph is None, a URIRef or ‘__UNION__’ If None the graph is specified in the query-string/object If URIRef it specifies the graph to query, If ‘__UNION__’ the union of all named graphs should be queried (This is used by ConjunctiveGraphs Values other than None obviously only makes sense for context-aware stores.)

Parameters
Return type

Result

remove(triple, context=None)[source]

Remove the set of triples matching the pattern from the store

Parameters
Return type

None

remove_graph(graph)[source]

Remove a graph from the store, this should also remove all triples in the graph

Parameters
  • graphid – a Graph instance

  • graph (Graph) –

Return type

None

rollback()[source]
Return type

None

transaction_aware: bool = False
triples(triple_pattern, context=None)[source]

A generator over all the triples matching the pattern. Pattern can include any objects for used for comparing against nodes in the store, for example, REGEXTerm, URIRef, Literal, BNode, Variable, Graph, QuotedGraph, Date? DateRange?

Parameters
  • context (Optional[Graph]) – A conjunctive query can be indicated by either providing a value of None, or a specific context can be queries by passing a Graph instance (if store is context aware).

  • triple_pattern (Tuple[Optional[Node], Optional[Node], Optional[Node]]) –

Return type

Iterator[Tuple[Tuple[Node, Node, Node], Iterator[Optional[Graph]]]]

triples_choices(triple, context=None)[source]

A variant of triples that can take a list of terms instead of a single term in any slot. Stores can implement this to optimize the response time from the default ‘fallback’ implementation, which will iterate over each term in the list and dispatch to triples

Parameters
Return type

Generator[Tuple[Tuple[Node, Node, Node], Iterator[Optional[Graph]]], None, None]

update(update, initNs, initBindings, queryGraph, **kwargs)[source]

If stores provide their own (SPARQL) Update implementation, override this.

queryGraph is None, a URIRef or ‘__UNION__’ If None the graph is specified in the query-string/object If URIRef it specifies the graph to query, If ‘__UNION__’ the union of all named graphs should be queried (This is used by ConjunctiveGraphs Values other than None obviously only makes sense for context-aware stores.)

Parameters
Return type

None

class rdflib.store.StoreCreatedEvent(**kw)[source]

Bases: Event

This event is fired when the Store is created, it has the following attribute:

  • configuration: string used to create the store

__module__ = 'rdflib.store'
class rdflib.store.TripleAddedEvent(**kw)[source]

Bases: Event

This event is fired when a triple is added, it has the following attributes:

  • the triple added to the graph

  • the context of the triple, if any

  • the graph to which the triple was added

__module__ = 'rdflib.store'
class rdflib.store.TripleRemovedEvent(**kw)[source]

Bases: Event

This event is fired when a triple is removed, it has the following attributes:

  • the triple removed from the graph

  • the context of the triple, if any

  • the graph from which the triple was removed

__module__ = 'rdflib.store'

rdflib.term module

This module defines the different types of terms. Terms are the kinds of objects that can appear in a quoted/asserted triple. This includes those that are core to RDF:

Those that extend the RDF model into N3:

And those that are primarily for matching against ‘Nodes’ in the underlying Graph:

  • REGEX Expressions

  • Date Ranges

  • Numerical Ranges

class rdflib.term.BNode(value: ~typing.Optional[str] = None, _sn_gen: ~typing.Callable[[], str] = <function _serial_number_generator.<locals>._generator>, _prefix: str = 'N')[source]

Bases: IdentifiedNode

RDF 1.1’s Blank Nodes Section: https://www.w3.org/TR/rdf11-concepts/#section-blank-nodes

Blank Nodes are local identifiers for unnamed nodes in RDF graphs that are used in some concrete RDF syntaxes or RDF store implementations. They are always locally scoped to the file or RDF store, and are not persistent or portable identifiers for blank nodes. The identifiers for Blank Nodes are not part of the RDF abstract syntax, but are entirely dependent on particular concrete syntax or implementation (such as Turtle, JSON-LD).

RDFLib’s BNode class makes unique IDs for all the Blank Nodes in a Graph but you should never expect, or reply on, BNodes’ IDs to match across graphs, or even for multiple copies of the same graph, if they are regenerated from some non-RDFLib source, such as loading from RDF data.

__module__ = 'rdflib.term'
static __new__(cls, value=None, _sn_gen=<function _serial_number_generator.<locals>._generator>, _prefix='N')[source]

# only store implementations should pass in a value

Parameters
Return type

BNode

__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[BNode], Tuple[str]]

__repr__()[source]

Return repr(self).

Return type

str

__slots__ = ()
n3(namespace_manager=None)[source]
Parameters

namespace_manager (Optional[NamespaceManager]) –

Return type

str

skolemize(authority=None, basepath=None)[source]

Create a URIRef “skolem” representation of the BNode, in accordance with http://www.w3.org/TR/rdf11-concepts/#section-skolemization

New in version 4.0.

Parameters
Return type

URIRef

class rdflib.term.IdentifiedNode(value: str)[source]

Bases: Identifier

An abstract class, primarily defined to identify Nodes that are not Literals.

The name “Identified Node” is not explicitly defined in the RDF specification, but can be drawn from this section: https://www.w3.org/TR/rdf-concepts/#section-URI-Vocabulary

__dict__ = mappingproxy({'__module__': 'rdflib.term', '__doc__': '\n    An abstract class, primarily defined to identify Nodes that are not Literals.\n\n    The name "Identified Node" is not explicitly defined in the RDF specification, but can be drawn from this section: https://www.w3.org/TR/rdf-concepts/#section-URI-Vocabulary\n    ', '__getnewargs__': <function IdentifiedNode.__getnewargs__>, 'toPython': <function IdentifiedNode.toPython>, '__dict__': <attribute '__dict__' of 'IdentifiedNode' objects>, '__weakref__': <attribute '__weakref__' of 'IdentifiedNode' objects>, '__annotations__': {}})
__getnewargs__()[source]
Return type

Tuple[str]

__module__ = 'rdflib.term'
__weakref__

list of weak references to the object (if defined)

toPython()[source]
Return type

str

class rdflib.term.Identifier(value: str)[source]

Bases: Node, str

See http://www.w3.org/2002/07/rdf-identifer-terminology/ regarding choice of terminology.

__eq__(other)[source]

Equality for Nodes.

>>> BNode("foo")==None
False
>>> BNode("foo")==URIRef("foo")
False
>>> URIRef("foo")==BNode("foo")
False
>>> BNode("foo")!=URIRef("foo")
True
>>> URIRef("foo")!=BNode("foo")
True
>>> Variable('a')!=URIRef('a')
True
>>> Variable('a')!=Variable('a')
False
Parameters

other (Any) –

Return type

bool

__ge__(other)[source]

Return self>=value.

Parameters

other (Any) –

Return type

bool

__gt__(other)[source]

This implements ordering for Nodes,

This tries to implement this: http://www.w3.org/TR/sparql11-query/#modOrderBy

Variables are not included in the SPARQL list, but they are greater than BNodes and smaller than everything else

Parameters

other (Any) –

Return type

bool

__hash__()

Return hash(self).

__le__(other)[source]

Return self<=value.

Parameters

other (Any) –

Return type

bool

__lt__(other)[source]

Return self<value.

Parameters

other (Any) –

Return type

bool

__module__ = 'rdflib.term'
__ne__(other)[source]

Return self!=value.

Parameters

other (Any) –

Return type

bool

static __new__(cls, value)[source]
Parameters

value (str) –

Return type

Identifier

__slots__ = ()
eq(other)[source]

A “semantic”/interpreted equality function, by default, same as __eq__

Parameters

other (Any) –

Return type

bool

neq(other)[source]

A “semantic”/interpreted not equal function, by default, same as __ne__

Parameters

other (Any) –

Return type

bool

startswith(prefix, start=Ellipsis, end=Ellipsis)[source]

Return True if S starts with the specified prefix, False otherwise. With optional start, test S beginning at that position. With optional end, stop comparing S at that position. prefix can also be a tuple of strings to try.

Parameters

prefix (str) –

Return type

bool

class rdflib.term.Literal(lexical_or_value: Any, lang: Optional[str] = None, datatype: Optional[str] = None, normalize: Optional[bool] = None)[source]

Bases: Identifier

RDF 1.1’s Literals Section: http://www.w3.org/TR/rdf-concepts/#section-Graph-Literal

Literals are used for values such as strings, numbers, and dates.

A literal in an RDF graph consists of two or three elements:

  • a lexical form, being a Unicode string, which SHOULD be in Normal Form C

  • a datatype IRI, being an IRI identifying a datatype that determines how the lexical form maps to a literal value, and

  • if and only if the datatype IRI is http://www.w3.org/1999/02/22-rdf-syntax-ns#langString, a non-empty language tag. The language tag MUST be well-formed according to section 2.2.9 of Tags for identifying languages.

A literal is a language-tagged string if the third element is present. Lexical representations of language tags MAY be converted to lower case. The value space of language tags is always in lower case.

For valid XSD datatypes, the lexical form is optionally normalized at construction time. Default behaviour is set by rdflib.NORMALIZE_LITERALS and can be overridden by the normalize parameter to __new__

Equality and hashing of Literals are done based on the lexical form, i.e.:

>>> from rdflib.namespace import XSD
>>> Literal('01') != Literal('1')  # clear - strings differ
True

but with data-type they get normalized:

>>> Literal('01', datatype=XSD.integer) != Literal('1', datatype=XSD.integer)
False

unless disabled:

>>> Literal('01', datatype=XSD.integer, normalize=False) != Literal('1', datatype=XSD.integer)
True

Value based comparison is possible:

>>> Literal('01', datatype=XSD.integer).eq(Literal('1', datatype=XSD.float))
True

The eq method also provides limited support for basic python types:

>>> Literal(1).eq(1) # fine - int compatible with xsd:integer
True
>>> Literal('a').eq('b') # fine - str compatible with plain-lit
False
>>> Literal('a', datatype=XSD.string).eq('a') # fine - str compatible with xsd:string
True
>>> Literal('a').eq(1) # not fine, int incompatible with plain-lit
NotImplemented

Greater-than/less-than ordering comparisons are also done in value space, when compatible datatypes are used. Incompatible datatypes are ordered by DT, or by lang-tag. For other nodes the ordering is None < BNode < URIRef < Literal

Any comparison with non-rdflib Node are “NotImplemented” In PY3 this is an error.

>>> from rdflib import Literal, XSD
>>> lit2006 = Literal('2006-01-01',datatype=XSD.date)
>>> lit2006.toPython()
datetime.date(2006, 1, 1)
>>> lit2006 < Literal('2007-01-01',datatype=XSD.date)
True
>>> Literal(datetime.utcnow()).datatype
rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#dateTime')
>>> Literal(1) > Literal(2) # by value
False
>>> Literal(1) > Literal(2.0) # by value
False
>>> Literal('1') > Literal(1) # by DT
True
>>> Literal('1') < Literal('1') # by lexical form
False
>>> Literal('a', lang='en') > Literal('a', lang='fr') # by lang-tag
False
>>> Literal(1) > URIRef('foo') # by node-type
True

The > < operators will eat this NotImplemented and throw a TypeError (py3k):

>>> Literal(1).__gt__(2.0)
NotImplemented
__abs__()[source]
>>> abs(Literal(-1))
rdflib.term.Literal(u'1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> from rdflib.namespace import XSD
>>> abs( Literal("-1", datatype=XSD.integer))
rdflib.term.Literal(u'1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> abs(Literal("1"))
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: Not a number; rdflib.term.Literal(u'1')
Return type

Literal

__add__(val)[source]
>>> from rdflib.namespace import XSD
>>> Literal(1) + 1
rdflib.term.Literal(u'2', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> Literal("1") + "1"
rdflib.term.Literal(u'11')

# Handling dateTime/date/time based operations in Literals >>> a = Literal(‘2006-01-01T20:50:00’, datatype=XSD.dateTime) >>> b = Literal(‘P31D’, datatype=XSD.duration) >>> (a + b) rdflib.term.Literal(‘2006-02-01T20:50:00’, datatype=rdflib.term.URIRef(’http://www.w3.org/2001/XMLSchema#dateTime’)) >>> from rdflib.namespace import XSD >>> a = Literal(‘2006-07-01T20:52:00’, datatype=XSD.dateTime) >>> b = Literal(‘P122DT15H58M’, datatype=XSD.duration) >>> (a + b) rdflib.term.Literal(‘2006-11-01T12:50:00’, datatype=rdflib.term.URIRef(’http://www.w3.org/2001/XMLSchema#dateTime’))

Parameters

val (Any) –

Return type

Literal

__annotations__ = {'_datatype': typing.Optional[rdflib.term.URIRef], '_ill_typed': typing.Optional[bool], '_language': typing.Optional[str], '_value': typing.Any}
__bool__()[source]

Is the Literal “True” This is used for if statements, bool(literal), etc.

Return type

bool

__eq__(other)[source]

Literals are only equal to other literals.

“Two literals are equal if and only if all of the following hold: * The strings of the two lexical forms compare equal, character by character. * Either both or neither have language tags. * The language tags, if any, compare equal. * Either both or neither have datatype URIs. * The two datatype URIs, if any, compare equal, character by character.” – 6.5.1 Literal Equality (RDF: Concepts and Abstract Syntax)

>>> Literal("1", datatype=URIRef("foo")) == Literal("1", datatype=URIRef("foo"))
True
>>> Literal("1", datatype=URIRef("foo")) == Literal("1", datatype=URIRef("foo2"))
False
>>> Literal("1", datatype=URIRef("foo")) == Literal("2", datatype=URIRef("foo"))
False
>>> Literal("1", datatype=URIRef("foo")) == "asdf"
False
>>> from rdflib import XSD
>>> Literal('2007-01-01', datatype=XSD.date) == Literal('2007-01-01', datatype=XSD.date)
True
>>> Literal('2007-01-01', datatype=XSD.date) == date(2007, 1, 1)
False
>>> Literal("one", lang="en") == Literal("one", lang="en")
True
>>> Literal("hast", lang='en') == Literal("hast", lang='de')
False
>>> Literal("1", datatype=XSD.integer) == Literal(1)
True
>>> Literal("1", datatype=XSD.integer) == Literal("01", datatype=XSD.integer)
True
Parameters

other (Any) –

Return type

bool

__ge__(other)[source]

Return self>=value.

Parameters

other (Any) –

Return type

bool

__getstate__()[source]
Return type

Tuple[None, Dict[str, Optional[str]]]

__gt__(other)[source]

This implements ordering for Literals, the other comparison methods delegate here

This tries to implement this: http://www.w3.org/TR/sparql11-query/#modOrderBy

In short, Literals with compatible data-types are ordered in value space, i.e. >>> from rdflib import XSD

>>> Literal(1) > Literal(2) # int/int
False
>>> Literal(2.0) > Literal(1) # double/int
True
>>> from decimal import Decimal
>>> Literal(Decimal("3.3")) > Literal(2.0) # decimal/double
True
>>> Literal(Decimal("3.3")) < Literal(4.0) # decimal/double
True
>>> Literal('b') > Literal('a') # plain lit/plain lit
True
>>> Literal('b') > Literal('a', datatype=XSD.string) # plain lit/xsd:str
True

Incompatible datatype mismatches ordered by DT

>>> Literal(1) > Literal("2") # int>string
False

Langtagged literals by lang tag >>> Literal(“a”, lang=”en”) > Literal(“a”, lang=”fr”) False

Parameters

other (Any) –

Return type

bool

__hash__()[source]
>>> from rdflib.namespace import XSD
>>> a = {Literal('1', datatype=XSD.integer):'one'}
>>> Literal('1', datatype=XSD.double) in a
False

“Called for the key object for dictionary operations, and by the built-in function hash(). Should return a 32-bit integer usable as a hash value for dictionary operations. The only required property is that objects which compare equal have the same hash value; it is advised to somehow mix together (e.g., using exclusive or) the hash values for the components of the object that also play a part in comparison of objects.” – 3.4.1 Basic customization (Python)

“Two literals are equal if and only if all of the following hold: * The strings of the two lexical forms compare equal, character by character. * Either both or neither have language tags. * The language tags, if any, compare equal. * Either both or neither have datatype URIs. * The two datatype URIs, if any, compare equal, character by character.” – 6.5.1 Literal Equality (RDF: Concepts and Abstract Syntax)

Return type

int

__invert__()[source]
>>> ~(Literal(-1))
rdflib.term.Literal(u'0', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> from rdflib.namespace import XSD
>>> ~( Literal("-1", datatype=XSD.integer))
rdflib.term.Literal(u'0', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))

Not working:

>>> ~(Literal("1"))
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: Not a number; rdflib.term.Literal(u'1')
Return type

Literal

__le__(other)[source]
>>> from rdflib.namespace import XSD
>>> Literal('2007-01-01T10:00:00', datatype=XSD.dateTime
...     ) <= Literal('2007-01-01T10:00:00', datatype=XSD.dateTime)
True
Parameters

other (Any) –

Return type

bool

__lt__(other)[source]

Return self<value.

Parameters

other (Any) –

Return type

bool

__module__ = 'rdflib.term'
__neg__()[source]
>>> (- Literal(1))
rdflib.term.Literal(u'-1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> (- Literal(10.5))
rdflib.term.Literal(u'-10.5', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#double'))
>>> from rdflib.namespace import XSD
>>> (- Literal("1", datatype=XSD.integer))
rdflib.term.Literal(u'-1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> (- Literal("1"))
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: Not a number; rdflib.term.Literal(u'1')
>>>
Return type

Literal

static __new__(cls, lexical_or_value, lang=None, datatype=None, normalize=None)[source]
Parameters
Return type

Literal

__pos__()[source]
>>> (+ Literal(1))
rdflib.term.Literal(u'1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> (+ Literal(-1))
rdflib.term.Literal(u'-1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> from rdflib.namespace import XSD
>>> (+ Literal("-1", datatype=XSD.integer))
rdflib.term.Literal(u'-1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> (+ Literal("1"))
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: Not a number; rdflib.term.Literal(u'1')
Return type

Literal

__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[Literal], Tuple[str, Optional[str], Optional[str]]]

__repr__()[source]

Return repr(self).

Return type

str

__setstate__(arg)[source]
Parameters

arg (Tuple[Any, Dict[str, Any]]) –

Return type

None

__slots__ = ('_language', '_datatype', '_value', '_ill_typed')
__sub__(val)[source]
>>> from rdflib.namespace import XSD
>>> Literal(2) - 1
rdflib.term.Literal('1', datatype=rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#integer'))
>>> Literal(1.1) - 1.0
rdflib.term.Literal('0.10000000000000009', datatype=rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#double'))
>>> Literal(1.1) - 1
rdflib.term.Literal('0.1', datatype=rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#decimal'))
>>> Literal(1.1, datatype=XSD.float) - Literal(1.0, datatype=XSD.float)
rdflib.term.Literal('0.10000000000000009', datatype=rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#float'))
>>> Literal("1.1") - 1.0 
Traceback (most recent call last):
...
TypeError: Not a number; rdflib.term.Literal('1.1')
>>> Literal(1.1, datatype=XSD.integer) - Literal(1.0, datatype=XSD.integer)
rdflib.term.Literal('0.10000000000000009', datatype=rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#integer'))

# Handling dateTime/date/time based operations in Literals >>> a = Literal(‘2006-01-01T20:50:00’, datatype=XSD.dateTime) >>> b = Literal(‘2006-02-01T20:50:00’, datatype=XSD.dateTime) >>> (b - a) rdflib.term.Literal(‘P31D’, datatype=rdflib.term.URIRef(’http://www.w3.org/2001/XMLSchema#duration’)) >>> from rdflib.namespace import XSD >>> a = Literal(‘2006-07-01T20:52:00’, datatype=XSD.dateTime) >>> b = Literal(‘2006-11-01T12:50:00’, datatype=XSD.dateTime) >>> (a - b) rdflib.term.Literal(‘-P122DT15H58M’, datatype=rdflib.term.URIRef(’http://www.w3.org/2001/XMLSchema#duration’)) >>> (b - a) rdflib.term.Literal(‘P122DT15H58M’, datatype=rdflib.term.URIRef(’http://www.w3.org/2001/XMLSchema#duration’))

Parameters

val (Any) –

Return type

Literal

property datatype: Optional[URIRef]
Return type

Optional[URIRef]

eq(other)[source]

Compare the value of this literal with something else

Either, with the value of another literal comparisons are then done in literal “value space”, and according to the rules of XSD subtype-substitution/type-promotion

OR, with a python object:

basestring objects can be compared with plain-literals, or those with datatype xsd:string

bool objects with xsd:boolean

a int, long or float with numeric xsd types

isodate date,time,datetime objects with xsd:date,xsd:time or xsd:datetime

Any other operations returns NotImplemented

Parameters

other (Any) –

Return type

bool

property ill_typed: Optional[bool]

For recognized datatype IRIs, this value will be True if the literal is ill formed, otherwise it will be False. Literal.value (i.e. the literal value) should always be defined if this property is False, but should not be considered reliable if this property is True.

If the literal’s datatype is None or not in the set of recognized datatype IRIs this value will be None.

Return type

Optional[bool]

property language: Optional[str]
Return type

Optional[str]

n3(namespace_manager=None)[source]

Returns a representation in the N3 format.

Examples:

>>> Literal("foo").n3()
u'"foo"'

Strings with newlines or triple-quotes:

>>> Literal("foo\nbar").n3()
u'"""foo\nbar"""'

>>> Literal("''\'").n3()
u'"\'\'\'"'

>>> Literal('"""').n3()
u'"\\"\\"\\""'

Language:

>>> Literal("hello", lang="en").n3()
u'"hello"@en'

Datatypes:

>>> Literal(1).n3()
u'"1"^^<http://www.w3.org/2001/XMLSchema#integer>'

>>> Literal(1.0).n3()
u'"1.0"^^<http://www.w3.org/2001/XMLSchema#double>'

>>> Literal(True).n3()
u'"true"^^<http://www.w3.org/2001/XMLSchema#boolean>'

Datatype and language isn’t allowed (datatype takes precedence):

>>> Literal(1, lang="en").n3()
u'"1"^^<http://www.w3.org/2001/XMLSchema#integer>'

Custom datatype:

>>> footype = URIRef("http://example.org/ns#foo")
>>> Literal("1", datatype=footype).n3()
u'"1"^^<http://example.org/ns#foo>'

Passing a namespace-manager will use it to abbreviate datatype URIs:

>>> from rdflib import Graph
>>> Literal(1).n3(Graph().namespace_manager)
u'"1"^^xsd:integer'
Parameters

namespace_manager (Optional[NamespaceManager]) –

Return type

str

neq(other)[source]

A “semantic”/interpreted not equal function, by default, same as __ne__

Parameters

other (Any) –

Return type

bool

normalize()[source]

Returns a new literal with a normalised lexical representation of this literal >>> from rdflib import XSD >>> Literal(“01”, datatype=XSD.integer, normalize=False).normalize() rdflib.term.Literal(u’1’, datatype=rdflib.term.URIRef(u’http://www.w3.org/2001/XMLSchema#integer’))

Illegal lexical forms for the datatype given are simply passed on >>> Literal(“a”, datatype=XSD.integer, normalize=False) rdflib.term.Literal(u’a’, datatype=rdflib.term.URIRef(u’http://www.w3.org/2001/XMLSchema#integer’))

Return type

Literal

toPython()[source]

Returns an appropriate python datatype derived from this RDF Literal

Return type

Any

property value: Any
Return type

Any

class rdflib.term.Node[source]

Bases: object

A Node in the Graph.

__module__ = 'rdflib.term'
__slots__ = ()
class rdflib.term.URIRef(value: str, base: Optional[str] = None)[source]

Bases: IdentifiedNode

RDF 1.1’s IRI Section https://www.w3.org/TR/rdf11-concepts/#section-IRIs

Note

Documentation on RDF outside of RDFLib uses the term IRI or URI whereas this class is called URIRef. This is because it was made when the first version of the RDF specification was current, and it used the term URIRef, see RDF 1.0 URIRef

An IRI (Internationalized Resource Identifier) within an RDF graph is a Unicode string that conforms to the syntax defined in RFC 3987.

IRIs in the RDF abstract syntax MUST be absolute, and MAY contain a fragment identifier.

IRIs are a generalization of URIs [RFC3986] that permits a wider range of Unicode characters.

__add__(other)[source]

Return self+value.

Return type

URIRef

__annotations__ = {'__invert__': typing.Callable[[ForwardRef('URIRef')], ForwardRef('InvPath')], '__neg__': typing.Callable[[ForwardRef('URIRef')], ForwardRef('NegatedPath')], '__or__': typing.Callable[[ForwardRef('URIRef'), typing.Union[ForwardRef('URIRef'), ForwardRef('Path')]], ForwardRef('AlternativePath')], '__truediv__': typing.Callable[[ForwardRef('URIRef'), typing.Union[ForwardRef('URIRef'), ForwardRef('Path')]], ForwardRef('SequencePath')]}
__invert__()

inverse path

Parameters

p (Union[URIRef, Path]) –

Return type

InvPath

__mod__(other)[source]

Return self%value.

Return type

URIRef

__module__ = 'rdflib.term'
__mul__(mul)

cardinality path

Parameters
Return type

MulPath

__neg__()

negated path

Parameters

p (Union[URIRef, AlternativePath, InvPath]) –

Return type

NegatedPath

static __new__(cls, value, base=None)[source]
Parameters
Return type

URIRef

__or__(other)

alternative path

Parameters
__radd__(other)[source]
Return type

URIRef

__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[URIRef], Tuple[str]]

__repr__()[source]

Return repr(self).

Return type

str

__slots__ = ()
__truediv__(other)

sequence path

Parameters
de_skolemize()[source]

Create a Blank Node from a skolem URI, in accordance with http://www.w3.org/TR/rdf11-concepts/#section-skolemization. This function accepts only rdflib type skolemization, to provide a round-tripping within the system.

New in version 4.0.

Return type

BNode

defrag()[source]
Return type

URIRef

property fragment: str

Return the URL Fragment

>>> URIRef("http://example.com/some/path/#some-fragment").fragment
'some-fragment'
>>> URIRef("http://example.com/some/path/").fragment
''
Return type

str

n3(namespace_manager=None)[source]

This will do a limited check for valid URIs, essentially just making sure that the string includes no illegal characters (<, >, ", {, }, |, \, `, ^)

Parameters

namespace_manager (Optional[NamespaceManager]) – if not None, will be used to make up a prefixed name

Return type

str

class rdflib.term.Variable(value: str)[source]

Bases: Identifier

A Variable - this is used for querying, or in Formula aware graphs, where Variables can be stored

__module__ = 'rdflib.term'
static __new__(cls, value)[source]
Parameters

value (str) –

Return type

Variable

__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[Variable], Tuple[str]]

__repr__()[source]

Return repr(self).

Return type

str

__slots__ = ()
n3(namespace_manager=None)[source]
Parameters

namespace_manager (Optional[NamespaceManager]) –

Return type

str

toPython()[source]
Return type

str

rdflib.term.bind(datatype, pythontype, constructor=None, lexicalizer=None, datatype_specific=False)[source]

register a new datatype<->pythontype binding

Parameters
  • constructor (Optional[Callable[[str], Any]]) – an optional function for converting lexical forms into a Python instances, if not given the pythontype is used directly

  • lexicalizer (Optional[Callable[[Any], Union[str, bytes]]]) – an optional function for converting python objects to lexical form, if not given object.__str__ is used

  • datatype_specific (bool) – makes the lexicalizer function be accessible from the pair (pythontype, datatype) if set to True or from the pythontype otherwise. False by default

  • datatype (str) –

  • pythontype (Type[Any]) –

Return type

None

rdflib.util module

rdflib.util.date_time(t=None, local_time_zone=False)[source]

http://www.w3.org/TR/NOTE-datetime ex: 1997-07-16T19:20:30Z

>>> date_time(1126482850)
'2005-09-11T23:54:10Z'

@@ this will change depending on where it is run #>>> date_time(1126482850, local_time_zone=True) #’2005-09-11T19:54:10-04:00’

>>> date_time(1)
'1970-01-01T00:00:01Z'
>>> date_time(0)
'1970-01-01T00:00:00Z'
rdflib.util.find_roots(graph, prop, roots=None)[source]

Find the roots in some sort of transitive hierarchy.

find_roots(graph, rdflib.RDFS.subClassOf) will return a set of all roots of the sub-class hierarchy

Assumes triple of the form (child, prop, parent), i.e. the direction of RDFS.subClassOf or SKOS.broader

Parameters
Return type

Set[Node]

rdflib.util.first(seq)[source]

return the first element in a python sequence for graphs, use graph.value instead

Parameters

seq (Iterable[TypeVar(_AnyT)]) –

Return type

Optional[TypeVar(_AnyT)]

rdflib.util.from_n3(s, default=None, backend=None, nsm=None)[source]

Creates the Identifier corresponding to the given n3 string.

>>> from rdflib.term import URIRef, Literal
>>> from rdflib.namespace import NamespaceManager
>>> from_n3('<http://ex.com/foo>') == URIRef('http://ex.com/foo')
True
>>> from_n3('"foo"@de') == Literal('foo', lang='de')
True
>>> from_n3('"""multi\nline\nstring"""@en') == Literal(
...     'multi\nline\nstring', lang='en')
True
>>> from_n3('42') == Literal(42)
True
>>> from_n3(Literal(42).n3()) == Literal(42)
True
>>> from_n3('"42"^^xsd:integer') == Literal(42)
True
>>> from rdflib import RDFS
>>> from_n3('rdfs:label') == RDFS['label']
True
>>> nsm = NamespaceManager(rdflib.graph.Graph())
>>> nsm.bind('dbpedia', 'http://dbpedia.org/resource/')
>>> berlin = URIRef('http://dbpedia.org/resource/Berlin')
>>> from_n3('dbpedia:Berlin', nsm=nsm) == berlin
True
Parameters
Return type

Union[Node, str, None]

rdflib.util.get_tree(graph, root, prop, mapper=<function <lambda>>, sortkey=None, done=None, dir='down')[source]

Return a nested list/tuple structure representing the tree built by the transitive property given, starting from the root given

i.e.

get_tree(graph,

rdflib.URIRef(”http://xmlns.com/foaf/0.1/Person”), rdflib.RDFS.subClassOf)

will return the structure for the subClassTree below person.

dir=’down’ assumes triple of the form (child, prop, parent), i.e. the direction of RDFS.subClassOf or SKOS.broader Any other dir traverses in the other direction

Parameters
Return type

Optional[Tuple[Node, List[Any]]]

rdflib.util.guess_format(fpath, fmap=None)[source]

Guess RDF serialization based on file suffix. Uses SUFFIX_FORMAT_MAP unless fmap is provided. Examples:

>>> guess_format('path/to/file.rdf')
'xml'
>>> guess_format('path/to/file.owl')
'xml'
>>> guess_format('path/to/file.ttl')
'turtle'
>>> guess_format('path/to/file.json')
'json-ld'
>>> guess_format('path/to/file.xhtml')
'rdfa'
>>> guess_format('path/to/file.svg')
'rdfa'
>>> guess_format('path/to/file.xhtml', {'xhtml': 'grddl'})
'grddl'

This also works with just the suffixes, with or without leading dot, and regardless of letter case:

>>> guess_format('.rdf')
'xml'
>>> guess_format('rdf')
'xml'
>>> guess_format('RDF')
'xml'
Parameters
Return type

Optional[str]

rdflib.util.list2set(seq)[source]

Return a new list without duplicates. Preserves the order, unlike set(seq)

Parameters

seq (Iterable[TypeVar(_HashableT, bound= Hashable)]) –

Return type

List[TypeVar(_HashableT, bound= Hashable)]

rdflib.util.more_than(sequence, number)[source]

Returns 1 if sequence has more items than number and 0 if not.

Parameters
Return type

int

rdflib.util.parse_date_time(val)[source]

always returns seconds in UTC

# tests are written like this to make any errors easier to understand >>> parse_date_time(‘2005-09-11T23:54:10Z’) - 1126482850.0 0.0

>>> parse_date_time('2005-09-11T16:54:10-07:00') - 1126482850.0
0.0
>>> parse_date_time('1970-01-01T00:00:01Z') - 1.0
0.0
>>> parse_date_time('1970-01-01T00:00:00Z') - 0.0
0.0
>>> parse_date_time("2005-09-05T10:42:00") - 1125916920.0
0.0
Parameters

val (str) –

Return type

int

rdflib.util.to_term(s, default=None)[source]

Creates and returns an Identifier of type corresponding to the pattern of the given positional argument string s:

‘’ returns the default keyword argument value or None

‘<s>’ returns URIRef(s) (i.e. without angle brackets)

‘“s”’ returns Literal(s) (i.e. without doublequotes)

‘_s’ returns BNode(s) (i.e. without leading underscore)

Parameters
Return type

Optional[Identifier]

rdflib.util.uniq(sequence, strip=0)[source]

removes duplicate strings from the sequence.

Parameters
Return type

Set[str]

rdflib.void module

rdflib.void.generateVoID(g, dataset=None, res=None, distinctForPartitions=True)[source]

Returns a new graph with a VoID description of the passed dataset

For more info on Vocabulary of Interlinked Datasets (VoID), see: http://vocab.deri.ie/void

This only makes two passes through the triples (once to detect the types of things)

The tradeoff is that lots of temporary structures are built up in memory meaning lots of memory may be consumed :) I imagine at least a few copies of your original graph.

the distinctForPartitions parameter controls whether distinctSubjects/objects are tracked for each class/propertyPartition this requires more memory again

Module contents

A pure Python package providing the core RDF constructs.

The packages is intended to provide the core RDF types and interfaces for working with RDF. The package defines a plugin interface for parsers, stores, and serializers that other packages can use to implement parsers, stores, and serializers that will plug into the rdflib package.

The primary interface rdflib exposes to work with RDF is rdflib.graph.Graph.

A tiny example:

>>> from rdflib import Graph, URIRef, Literal
>>> g = Graph()
>>> result = g.parse("http://www.w3.org/2000/10/swap/test/meet/blue.rdf")
>>> print("graph has %s statements." % len(g))
graph has 4 statements.
>>>
>>> for s, p, o in g:
...     if (s, p, o) not in g:
...         raise Exception("It better be!")
>>> s = g.serialize(format='nt')
>>>
>>> sorted(g) == [
...  (URIRef("http://meetings.example.com/cal#m1"),
...   URIRef("http://www.example.org/meeting_organization#homePage"),
...   URIRef("http://meetings.example.com/m1/hp")),
...  (URIRef("http://www.example.org/people#fred"),
...   URIRef("http://www.example.org/meeting_organization#attending"),
...   URIRef("http://meetings.example.com/cal#m1")),
...  (URIRef("http://www.example.org/people#fred"),
...   URIRef("http://www.example.org/personal_details#GivenName"),
...   Literal("Fred")),
...  (URIRef("http://www.example.org/people#fred"),
...   URIRef("http://www.example.org/personal_details#hasEmail"),
...   URIRef("mailto:fred@example.com"))
... ]
True
class rdflib.BNode(value: ~typing.Optional[str] = None, _sn_gen: ~typing.Callable[[], str] = <function _serial_number_generator.<locals>._generator>, _prefix: str = 'N')[source]

Bases: IdentifiedNode

RDF 1.1’s Blank Nodes Section: https://www.w3.org/TR/rdf11-concepts/#section-blank-nodes

Blank Nodes are local identifiers for unnamed nodes in RDF graphs that are used in some concrete RDF syntaxes or RDF store implementations. They are always locally scoped to the file or RDF store, and are not persistent or portable identifiers for blank nodes. The identifiers for Blank Nodes are not part of the RDF abstract syntax, but are entirely dependent on particular concrete syntax or implementation (such as Turtle, JSON-LD).

RDFLib’s BNode class makes unique IDs for all the Blank Nodes in a Graph but you should never expect, or reply on, BNodes’ IDs to match across graphs, or even for multiple copies of the same graph, if they are regenerated from some non-RDFLib source, such as loading from RDF data.

__annotations__ = {}
__module__ = 'rdflib.term'
static __new__(cls, value=None, _sn_gen=<function _serial_number_generator.<locals>._generator>, _prefix='N')[source]

# only store implementations should pass in a value

Parameters
Return type

BNode

__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[BNode], Tuple[str]]

__repr__()[source]

Return repr(self).

Return type

str

__slots__ = ()
n3(namespace_manager=None)[source]
Parameters

namespace_manager (Optional[NamespaceManager]) –

Return type

str

skolemize(authority=None, basepath=None)[source]

Create a URIRef “skolem” representation of the BNode, in accordance with http://www.w3.org/TR/rdf11-concepts/#section-skolemization

New in version 4.0.

Parameters
Return type

URIRef

class rdflib.BRICK[source]

Bases: DefinedNamespace

Brick Ontology classes, properties and entity properties. See https://brickschema.org/ for more information.

Generated from: https://github.com/BrickSchema/Brick/releases/download/nightly/Brick.ttl Date: 2021-09-22T14:32:56

AED: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#AED')
AHU: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#AHU')
Ablutions_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Ablutions_Room')
Absorption_Chiller: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Absorption_Chiller')
Acceleration_Time_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Acceleration_Time_Setpoint')
Access_Control_Equipment: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Access_Control_Equipment')
Access_Reader: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Access_Reader')
Active_Chilled_Beam: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Active_Chilled_Beam')
Active_Power_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Active_Power_Sensor')
Adjust_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Adjust_Sensor')
Air: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air')
Air_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Alarm')
Air_Differential_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Differential_Pressure_Sensor')
Air_Differential_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Differential_Pressure_Setpoint')
Air_Diffuser: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Diffuser')
Air_Enthalpy_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Enthalpy_Sensor')
Air_Flow_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Flow_Deadband_Setpoint')
Air_Flow_Demand_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Flow_Demand_Setpoint')
Air_Flow_Loss_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Flow_Loss_Alarm')
Air_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Flow_Sensor')
Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Flow_Setpoint')
Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Flow_Setpoint_Limit')
Air_Grains_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Grains_Sensor')
Air_Handler_Unit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Handler_Unit')
Air_Handling_Unit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Handling_Unit')
Air_Humidity_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Humidity_Setpoint')
Air_Loop: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Loop')
Air_Plenum: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Plenum')
Air_Quality_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Quality_Sensor')
Air_Static_Pressure_Step_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Static_Pressure_Step_Parameter')
Air_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_System')
Air_Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Temperature_Alarm')
Air_Temperature_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Temperature_Integral_Time_Parameter')
Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Temperature_Sensor')
Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Temperature_Setpoint')
Air_Temperature_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Temperature_Setpoint_Limit')
Air_Temperature_Step_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Temperature_Step_Parameter')
Air_Wet_Bulb_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Air_Wet_Bulb_Temperature_Sensor')
Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Alarm')
Alarm_Delay_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Alarm_Delay_Parameter')
Angle_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Angle_Sensor')
Auditorium: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Auditorium')
Automated_External_Defibrillator: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Automated_External_Defibrillator')
Automatic_Mode_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Automatic_Mode_Command')
Availability_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Availability_Status')
Average_Cooling_Demand_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Average_Cooling_Demand_Sensor')
Average_Discharge_Air_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Average_Discharge_Air_Flow_Sensor')
Average_Exhaust_Air_Static_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Average_Exhaust_Air_Static_Pressure_Sensor')
Average_Heating_Demand_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Average_Heating_Demand_Sensor')
Average_Supply_Air_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Average_Supply_Air_Flow_Sensor')
Average_Zone_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Average_Zone_Air_Temperature_Sensor')
Baseboard_Radiator: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Baseboard_Radiator')
Basement: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Basement')
Battery: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Battery')
Battery_Energy_Storage_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Battery_Energy_Storage_System')
Battery_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Battery_Room')
Battery_Voltage_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Battery_Voltage_Sensor')
Bench_Space: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Bench_Space')
Blowdown_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Blowdown_Water')
Boiler: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Boiler')
Booster_Fan: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Booster_Fan')
Box_Mode_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Box_Mode_Command')
Break_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Break_Room')
Breaker_Panel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Breaker_Panel')
Breakroom: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Breakroom')
Broadcast_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Broadcast_Room')
Building: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Building')
Building_Air: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Building_Air')
Building_Air_Humidity_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Building_Air_Humidity_Setpoint')
Building_Air_Static_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Building_Air_Static_Pressure_Sensor')
Building_Air_Static_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Building_Air_Static_Pressure_Setpoint')
Building_Chilled_Water_Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Building_Chilled_Water_Meter')
Building_Electrical_Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Building_Electrical_Meter')
Building_Gas_Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Building_Gas_Meter')
Building_Hot_Water_Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Building_Hot_Water_Meter')
Building_Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Building_Meter')
Building_Water_Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Building_Water_Meter')
Bus_Riser: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Bus_Riser')
Bypass_Air: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Bypass_Air')
Bypass_Air_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Bypass_Air_Flow_Sensor')
Bypass_Air_Humidity_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Bypass_Air_Humidity_Setpoint')
Bypass_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Bypass_Command')
Bypass_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Bypass_Valve')
Bypass_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Bypass_Water')
Bypass_Water_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Bypass_Water_Flow_Sensor')
Bypass_Water_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Bypass_Water_Flow_Setpoint')
CAV: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#CAV')
CO: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#CO')
CO2: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#CO2')
CO2_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#CO2_Alarm')
CO2_Differential_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#CO2_Differential_Sensor')
CO2_Level_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#CO2_Level_Sensor')
CO2_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#CO2_Sensor')
CO2_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#CO2_Setpoint')
CO_Differential_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#CO_Differential_Sensor')
CO_Level_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#CO_Level_Sensor')
CO_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#CO_Sensor')
CRAC: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#CRAC')
Cafeteria: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cafeteria')
Camera: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Camera')
Capacity_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Capacity_Sensor')
Ceiling_Fan: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Ceiling_Fan')
Centrifugal_Chiller: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Centrifugal_Chiller')
Change_Filter_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Change_Filter_Alarm')
Chilled_Beam: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Beam')
Chilled_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water')
Chilled_Water_Coil: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Coil')
Chilled_Water_Differential_Pressure_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Differential_Pressure_Deadband_Setpoint')
Chilled_Water_Differential_Pressure_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Differential_Pressure_Integral_Time_Parameter')
Chilled_Water_Differential_Pressure_Load_Shed_Reset_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Differential_Pressure_Load_Shed_Reset_Status')
Chilled_Water_Differential_Pressure_Load_Shed_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Differential_Pressure_Load_Shed_Setpoint')
Chilled_Water_Differential_Pressure_Load_Shed_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Differential_Pressure_Load_Shed_Status')
Chilled_Water_Differential_Pressure_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Differential_Pressure_Proportional_Band_Parameter')
Chilled_Water_Differential_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Differential_Pressure_Sensor')
Chilled_Water_Differential_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Differential_Pressure_Setpoint')
Chilled_Water_Differential_Pressure_Step_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Differential_Pressure_Step_Parameter')
Chilled_Water_Differential_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Differential_Temperature_Sensor')
Chilled_Water_Discharge_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Discharge_Flow_Sensor')
Chilled_Water_Discharge_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Discharge_Flow_Setpoint')
Chilled_Water_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Flow_Sensor')
Chilled_Water_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Flow_Setpoint')
Chilled_Water_Loop: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Loop')
Chilled_Water_Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Meter')
Chilled_Water_Pump: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Pump')
Chilled_Water_Pump_Differential_Pressure_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Pump_Differential_Pressure_Deadband_Setpoint')
Chilled_Water_Return_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Return_Flow_Sensor')
Chilled_Water_Return_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Return_Temperature_Sensor')
Chilled_Water_Static_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Static_Pressure_Setpoint')
Chilled_Water_Supply_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Supply_Flow_Sensor')
Chilled_Water_Supply_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Supply_Flow_Setpoint')
Chilled_Water_Supply_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Supply_Temperature_Sensor')
Chilled_Water_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_System')
Chilled_Water_System_Enable_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_System_Enable_Command')
Chilled_Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Temperature_Sensor')
Chilled_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Temperature_Setpoint')
Chilled_Water_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chilled_Water_Valve')
Chiller: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Chiller')
Class: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Class')
Close_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Close_Limit')
Coil: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Coil')
Cold_Box: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cold_Box')
Coldest_Zone_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Coldest_Zone_Air_Temperature_Sensor')
Collection: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Collection')
Collection_Basin_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Collection_Basin_Water')
Collection_Basin_Water_Heater: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Collection_Basin_Water_Heater')
Collection_Basin_Water_Level_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Collection_Basin_Water_Level_Alarm')
Collection_Basin_Water_Level_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Collection_Basin_Water_Level_Sensor')
Collection_Basin_Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Collection_Basin_Water_Temperature_Sensor')
Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Command')
Common_Space: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Common_Space')
Communication_Loss_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Communication_Loss_Alarm')
Compressor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Compressor')
Computer_Room_Air_Conditioning: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Computer_Room_Air_Conditioning')
Concession: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Concession')
Condensate_Leak_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Condensate_Leak_Alarm')
Condenser: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Condenser')
Condenser_Heat_Exchanger: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Condenser_Heat_Exchanger')
Condenser_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Condenser_Water')
Condenser_Water_Bypass_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Condenser_Water_Bypass_Valve')
Condenser_Water_Isolation_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Condenser_Water_Isolation_Valve')
Condenser_Water_Pump: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Condenser_Water_Pump')
Condenser_Water_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Condenser_Water_System')
Condenser_Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Condenser_Water_Temperature_Sensor')
Condenser_Water_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Condenser_Water_Valve')
Condensing_Natural_Gas_Boiler: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Condensing_Natural_Gas_Boiler')
Conductivity_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Conductivity_Sensor')
Conference_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Conference_Room')
Constant_Air_Volume_Box: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Constant_Air_Volume_Box')
Contact_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Contact_Sensor')
Control_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Control_Room')
Cooling_Coil: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Coil')
Cooling_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Command')
Cooling_Demand_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Demand_Sensor')
Cooling_Demand_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Demand_Setpoint')
Cooling_Discharge_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Discharge_Air_Flow_Setpoint')
Cooling_Discharge_Air_Temperature_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Discharge_Air_Temperature_Deadband_Setpoint')
Cooling_Discharge_Air_Temperature_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Discharge_Air_Temperature_Integral_Time_Parameter')
Cooling_Discharge_Air_Temperature_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Discharge_Air_Temperature_Proportional_Band_Parameter')
Cooling_Start_Stop_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Start_Stop_Status')
Cooling_Supply_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Supply_Air_Flow_Setpoint')
Cooling_Supply_Air_Temperature_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Supply_Air_Temperature_Deadband_Setpoint')
Cooling_Supply_Air_Temperature_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Supply_Air_Temperature_Integral_Time_Parameter')
Cooling_Supply_Air_Temperature_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Supply_Air_Temperature_Proportional_Band_Parameter')
Cooling_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Temperature_Setpoint')
Cooling_Tower: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Tower')
Cooling_Tower_Fan: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Tower_Fan')
Cooling_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cooling_Valve')
Copy_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Copy_Room')
Core_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Core_Temperature_Sensor')
Core_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Core_Temperature_Setpoint')
Cubicle: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cubicle')
Current_Imbalance_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Current_Imbalance_Sensor')
Current_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Current_Limit')
Current_Output_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Current_Output_Sensor')
Current_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Current_Sensor')
Curtailment_Override_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Curtailment_Override_Command')
Cycle_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Cycle_Alarm')
DC_Bus_Voltage_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#DC_Bus_Voltage_Sensor')
DOAS: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#DOAS')
Damper: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Damper')
Damper_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Damper_Command')
Damper_Position_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Damper_Position_Command')
Damper_Position_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Damper_Position_Sensor')
Damper_Position_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Damper_Position_Setpoint')
Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Deadband_Setpoint')
Deceleration_Time_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Deceleration_Time_Setpoint')
Dedicated_Outdoor_Air_System_Unit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Dedicated_Outdoor_Air_System_Unit')
Dehumidification_Start_Stop_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Dehumidification_Start_Stop_Status')
Deionised_Water_Conductivity_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Deionised_Water_Conductivity_Sensor')
Deionised_Water_Level_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Deionised_Water_Level_Sensor')
Deionized_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Deionized_Water')
Deionized_Water_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Deionized_Water_Alarm')
Delay_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Delay_Parameter')
Demand_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Demand_Sensor')
Demand_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Demand_Setpoint')
Derivative_Gain_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Derivative_Gain_Parameter')
Derivative_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Derivative_Time_Parameter')
Detention_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Detention_Room')
Dew_Point_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Dew_Point_Setpoint')
Dewpoint_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Dewpoint_Sensor')
Differential_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Air_Temperature_Setpoint')
Differential_Pressure_Bypass_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Pressure_Bypass_Valve')
Differential_Pressure_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Pressure_Deadband_Setpoint')
Differential_Pressure_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Pressure_Integral_Time_Parameter')
Differential_Pressure_Load_Shed_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Pressure_Load_Shed_Status')
Differential_Pressure_Proportional_Band: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Pressure_Proportional_Band')
Differential_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Pressure_Sensor')
Differential_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Pressure_Setpoint')
Differential_Pressure_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Pressure_Setpoint_Limit')
Differential_Pressure_Step_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Pressure_Step_Parameter')
Differential_Speed_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Speed_Sensor')
Differential_Speed_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Speed_Setpoint')
Differential_Supply_Return_Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Differential_Supply_Return_Water_Temperature_Sensor')
Dimmer: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Dimmer')
Direct_Expansion_Cooling_Coil: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Direct_Expansion_Cooling_Coil')
Direct_Expansion_Heating_Coil: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Direct_Expansion_Heating_Coil')
Direction_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Direction_Command')
Direction_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Direction_Sensor')
Direction_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Direction_Status')
Disable_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Disable_Command')
Disable_Differential_Enthalpy_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Disable_Differential_Enthalpy_Command')
Disable_Differential_Temperature_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Disable_Differential_Temperature_Command')
Disable_Fixed_Enthalpy_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Disable_Fixed_Enthalpy_Command')
Disable_Fixed_Temperature_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Disable_Fixed_Temperature_Command')
Disable_Hot_Water_System_Outside_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Disable_Hot_Water_System_Outside_Air_Temperature_Setpoint')
Disable_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Disable_Status')
Discharge_Air: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air')
Discharge_Air_Dewpoint_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Dewpoint_Sensor')
Discharge_Air_Duct_Pressure_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Duct_Pressure_Status')
Discharge_Air_Flow_Demand_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Flow_Demand_Setpoint')
Discharge_Air_Flow_High_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Flow_High_Reset_Setpoint')
Discharge_Air_Flow_Low_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Flow_Low_Reset_Setpoint')
Discharge_Air_Flow_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Flow_Reset_Setpoint')
Discharge_Air_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Flow_Sensor')
Discharge_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Flow_Setpoint')
Discharge_Air_Humidity_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Humidity_Sensor')
Discharge_Air_Humidity_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Humidity_Setpoint')
Discharge_Air_Smoke_Detection_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Smoke_Detection_Alarm')
Discharge_Air_Static_Pressure_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Static_Pressure_Deadband_Setpoint')
Discharge_Air_Static_Pressure_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Static_Pressure_Integral_Time_Parameter')
Discharge_Air_Static_Pressure_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Static_Pressure_Proportional_Band_Parameter')
Discharge_Air_Static_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Static_Pressure_Sensor')
Discharge_Air_Static_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Static_Pressure_Setpoint')
Discharge_Air_Static_Pressure_Step_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Static_Pressure_Step_Parameter')
Discharge_Air_Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Temperature_Alarm')
Discharge_Air_Temperature_Cooling_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Temperature_Cooling_Setpoint')
Discharge_Air_Temperature_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Temperature_Deadband_Setpoint')
Discharge_Air_Temperature_Heating_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Temperature_Heating_Setpoint')
Discharge_Air_Temperature_High_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Temperature_High_Reset_Setpoint')
Discharge_Air_Temperature_Low_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Temperature_Low_Reset_Setpoint')
Discharge_Air_Temperature_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Temperature_Proportional_Band_Parameter')
Discharge_Air_Temperature_Reset_Differential_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Temperature_Reset_Differential_Setpoint')
Discharge_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Temperature_Sensor')
Discharge_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Temperature_Setpoint')
Discharge_Air_Temperature_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Temperature_Setpoint_Limit')
Discharge_Air_Temperature_Step_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Temperature_Step_Parameter')
Discharge_Air_Velocity_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Air_Velocity_Pressure_Sensor')
Discharge_Chilled_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Chilled_Water')
Discharge_Fan: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Fan')
Discharge_Hot_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Hot_Water')
Discharge_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Water')
Discharge_Water_Differential_Pressure_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Water_Differential_Pressure_Deadband_Setpoint')
Discharge_Water_Differential_Pressure_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Water_Differential_Pressure_Integral_Time_Parameter')
Discharge_Water_Differential_Pressure_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Water_Differential_Pressure_Proportional_Band_Parameter')
Discharge_Water_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Water_Flow_Sensor')
Discharge_Water_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Water_Flow_Setpoint')
Discharge_Water_Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Water_Temperature_Alarm')
Discharge_Water_Temperature_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Water_Temperature_Proportional_Band_Parameter')
Discharge_Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Water_Temperature_Sensor')
Discharge_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Discharge_Water_Temperature_Setpoint')
Disconnect_Switch: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Disconnect_Switch')
Displacement_Flow_Air_Diffuser: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Displacement_Flow_Air_Diffuser')
Distribution_Frame: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Distribution_Frame')
Domestic_Hot_Water_Supply_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Domestic_Hot_Water_Supply_Temperature_Sensor')
Domestic_Hot_Water_Supply_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Domestic_Hot_Water_Supply_Temperature_Setpoint')
Domestic_Hot_Water_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Domestic_Hot_Water_System')
Domestic_Hot_Water_System_Enable_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Domestic_Hot_Water_System_Enable_Command')
Domestic_Hot_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Domestic_Hot_Water_Temperature_Setpoint')
Domestic_Hot_Water_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Domestic_Hot_Water_Valve')
Domestic_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Domestic_Water')
Domestic_Water_Loop: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Domestic_Water_Loop')
Drench_Hose: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Drench_Hose')
Drive_Ready_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Drive_Ready_Status')
Duration_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Duration_Sensor')
ESS_Panel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#ESS_Panel')
EconCycle_Start_Stop_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#EconCycle_Start_Stop_Status')
Economizer: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Economizer')
Economizer_Damper: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Economizer_Damper')
Effective_Air_Temperature_Cooling_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Effective_Air_Temperature_Cooling_Setpoint')
Effective_Air_Temperature_Heating_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Effective_Air_Temperature_Heating_Setpoint')
Effective_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Effective_Air_Temperature_Setpoint')
Effective_Discharge_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Effective_Discharge_Air_Temperature_Setpoint')
Effective_Return_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Effective_Return_Air_Temperature_Setpoint')
Effective_Room_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Effective_Room_Air_Temperature_Setpoint')
Effective_Supply_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Effective_Supply_Air_Temperature_Setpoint')
Effective_Zone_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Effective_Zone_Air_Temperature_Setpoint')
Electric_Baseboard_Radiator: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Electric_Baseboard_Radiator')
Electric_Boiler: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Electric_Boiler')
Electric_Radiator: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Electric_Radiator')
Electrical_Equipment: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Electrical_Equipment')
Electrical_Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Electrical_Meter')
Electrical_Power_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Electrical_Power_Sensor')
Electrical_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Electrical_Room')
Electrical_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Electrical_System')
Elevator: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Elevator')
Elevator_Shaft: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Elevator_Shaft')
Elevator_Space: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Elevator_Space')
Embedded_Surface_System_Panel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Embedded_Surface_System_Panel')
Embedded_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Embedded_Temperature_Sensor')
Embedded_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Embedded_Temperature_Setpoint')
Emergency_Air_Flow_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Emergency_Air_Flow_System')
Emergency_Air_Flow_System_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Emergency_Air_Flow_System_Status')
Emergency_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Emergency_Alarm')
Emergency_Generator_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Emergency_Generator_Alarm')
Emergency_Generator_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Emergency_Generator_Status')
Emergency_Phone: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Emergency_Phone')
Emergency_Power_Off_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Emergency_Power_Off_System')
Emergency_Power_Off_System_Activated_By_High_Temperature_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Emergency_Power_Off_System_Activated_By_High_Temperature_Status')
Emergency_Power_Off_System_Activated_By_Leak_Detection_System_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Emergency_Power_Off_System_Activated_By_Leak_Detection_System_Status')
Emergency_Power_Off_System_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Emergency_Power_Off_System_Status')
Emergency_Push_Button_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Emergency_Push_Button_Status')
Emergency_Wash_Station: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Emergency_Wash_Station')
Employee_Entrance_Lobby: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Employee_Entrance_Lobby')
Enable_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Enable_Command')
Enable_Differential_Enthalpy_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Enable_Differential_Enthalpy_Command')
Enable_Differential_Temperature_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Enable_Differential_Temperature_Command')
Enable_Fixed_Enthalpy_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Enable_Fixed_Enthalpy_Command')
Enable_Fixed_Temperature_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Enable_Fixed_Temperature_Command')
Enable_Hot_Water_System_Outside_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Enable_Hot_Water_System_Outside_Air_Temperature_Setpoint')
Enable_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Enable_Status')
Enclosed_Office: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Enclosed_Office')
Energy_Generation_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Energy_Generation_System')
Energy_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Energy_Sensor')
Energy_Storage: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Energy_Storage')
Energy_Storage_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Energy_Storage_System')
Energy_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Energy_System')
Energy_Usage_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Energy_Usage_Sensor')
Energy_Zone: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Energy_Zone')
Entering_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Entering_Water')
Entering_Water_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Entering_Water_Flow_Sensor')
Entering_Water_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Entering_Water_Flow_Setpoint')
Entering_Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Entering_Water_Temperature_Sensor')
Entering_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Entering_Water_Temperature_Setpoint')
Enthalpy_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Enthalpy_Sensor')
Enthalpy_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Enthalpy_Setpoint')
Entrance: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Entrance')
Environment_Box: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Environment_Box')
Equipment: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Equipment')
Equipment_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Equipment_Room')
Evaporative_Heat_Exchanger: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Evaporative_Heat_Exchanger')
Even_Month_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Even_Month_Status')
Exercise_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exercise_Room')
Exhaust_Air: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air')
Exhaust_Air_Dewpoint_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Dewpoint_Sensor')
Exhaust_Air_Differential_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Differential_Pressure_Sensor')
Exhaust_Air_Differential_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Differential_Pressure_Setpoint')
Exhaust_Air_Flow_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Flow_Integral_Time_Parameter')
Exhaust_Air_Flow_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Flow_Proportional_Band_Parameter')
Exhaust_Air_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Flow_Sensor')
Exhaust_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Flow_Setpoint')
Exhaust_Air_Humidity_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Humidity_Sensor')
Exhaust_Air_Humidity_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Humidity_Setpoint')
Exhaust_Air_Stack_Flow_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Stack_Flow_Deadband_Setpoint')
Exhaust_Air_Stack_Flow_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Stack_Flow_Integral_Time_Parameter')
Exhaust_Air_Stack_Flow_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Stack_Flow_Proportional_Band_Parameter')
Exhaust_Air_Stack_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Stack_Flow_Sensor')
Exhaust_Air_Stack_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Stack_Flow_Setpoint')
Exhaust_Air_Static_Pressure_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Static_Pressure_Proportional_Band_Parameter')
Exhaust_Air_Static_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Static_Pressure_Sensor')
Exhaust_Air_Static_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Static_Pressure_Setpoint')
Exhaust_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Temperature_Sensor')
Exhaust_Air_Velocity_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Air_Velocity_Pressure_Sensor')
Exhaust_Damper: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Damper')
Exhaust_Fan: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Fan')
Exhaust_Fan_Disable_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Fan_Disable_Command')
Exhaust_Fan_Enable_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Exhaust_Fan_Enable_Command')
Eye_Wash_Station: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Eye_Wash_Station')
FCU: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#FCU')
Failure_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Failure_Alarm')
Fan: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fan')
Fan_Coil_Unit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fan_Coil_Unit')
Fan_On_Off_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fan_On_Off_Status')
Fan_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fan_Status')
Fan_VFD: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fan_VFD')
Fault_Reset_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fault_Reset_Command')
Fault_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fault_Status')
Field_Of_Play: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Field_Of_Play')
Filter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Filter')
Filter_Differential_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Filter_Differential_Pressure_Sensor')
Filter_Reset_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Filter_Reset_Command')
Filter_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Filter_Status')
Final_Filter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Final_Filter')
Fire_Control_Panel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fire_Control_Panel')
Fire_Safety_Equipment: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fire_Safety_Equipment')
Fire_Safety_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fire_Safety_System')
Fire_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fire_Sensor')
Fire_Zone: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fire_Zone')
First_Aid_Kit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#First_Aid_Kit')
First_Aid_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#First_Aid_Room')
Floor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Floor')
Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Flow_Sensor')
Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Flow_Setpoint')
Fluid: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fluid')
Food_Service_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Food_Service_Room')
Formaldehyde_Level_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Formaldehyde_Level_Sensor')
Freeze_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Freeze_Status')
Freezer: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Freezer')
Frequency_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Frequency_Command')
Frequency_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Frequency_Sensor')
Fresh_Air_Fan: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fresh_Air_Fan')
Fresh_Air_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fresh_Air_Setpoint_Limit')
Frost: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Frost')
Frost_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Frost_Sensor')
Fuel_Oil: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fuel_Oil')
Fume_Hood: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fume_Hood')
Fume_Hood_Air_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Fume_Hood_Air_Flow_Sensor')
Furniture: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Furniture')
Gain_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Gain_Parameter')
Gas: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Gas')
Gas_Distribution: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Gas_Distribution')
Gas_Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Gas_Meter')
Gas_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Gas_Sensor')
Gas_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Gas_System')
Gas_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Gas_Valve')
Gasoline: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Gasoline')
Gatehouse: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Gatehouse')
Generator_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Generator_Room')
Glycol: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Glycol')
HVAC_Equipment: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#HVAC_Equipment')
HVAC_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#HVAC_System')
HVAC_Zone: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#HVAC_Zone')
HX: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#HX')
Hail: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hail')
Hail_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hail_Sensor')
Hallway: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hallway')
Hazardous_Materials_Storage: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hazardous_Materials_Storage')
Heat_Exchanger: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heat_Exchanger')
Heat_Exchanger_Supply_Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heat_Exchanger_Supply_Water_Temperature_Sensor')
Heat_Exchanger_System_Enable_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heat_Exchanger_System_Enable_Status')
Heat_Recovery_Hot_Water_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heat_Recovery_Hot_Water_System')
Heat_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heat_Sensor')
Heat_Wheel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heat_Wheel')
Heat_Wheel_VFD: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heat_Wheel_VFD')
Heating_Coil: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Coil')
Heating_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Command')
Heating_Demand_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Demand_Sensor')
Heating_Demand_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Demand_Setpoint')
Heating_Discharge_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Discharge_Air_Flow_Setpoint')
Heating_Discharge_Air_Temperature_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Discharge_Air_Temperature_Deadband_Setpoint')
Heating_Discharge_Air_Temperature_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Discharge_Air_Temperature_Integral_Time_Parameter')
Heating_Discharge_Air_Temperature_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Discharge_Air_Temperature_Proportional_Band_Parameter')
Heating_Start_Stop_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Start_Stop_Status')
Heating_Supply_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Supply_Air_Flow_Setpoint')
Heating_Supply_Air_Temperature_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Supply_Air_Temperature_Deadband_Setpoint')
Heating_Supply_Air_Temperature_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Supply_Air_Temperature_Integral_Time_Parameter')
Heating_Supply_Air_Temperature_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Supply_Air_Temperature_Proportional_Band_Parameter')
Heating_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Temperature_Setpoint')
Heating_Thermal_Power_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Thermal_Power_Sensor')
Heating_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Valve')
Heating_Ventilation_Air_Conditioning_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Heating_Ventilation_Air_Conditioning_System')
High_CO2_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#High_CO2_Alarm')
High_Discharge_Air_Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#High_Discharge_Air_Temperature_Alarm')
High_Head_Pressure_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#High_Head_Pressure_Alarm')
High_Humidity_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#High_Humidity_Alarm')
High_Humidity_Alarm_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#High_Humidity_Alarm_Parameter')
High_Outside_Air_Lockout_Temperature_Differential_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#High_Outside_Air_Lockout_Temperature_Differential_Parameter')
High_Return_Air_Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#High_Return_Air_Temperature_Alarm')
High_Static_Pressure_Cutout_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#High_Static_Pressure_Cutout_Setpoint_Limit')
High_Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#High_Temperature_Alarm')
High_Temperature_Alarm_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#High_Temperature_Alarm_Parameter')
High_Temperature_Hot_Water_Return_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#High_Temperature_Hot_Water_Return_Temperature_Sensor')
High_Temperature_Hot_Water_Supply_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#High_Temperature_Hot_Water_Supply_Temperature_Sensor')
Hold_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hold_Status')
Hospitality_Box: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hospitality_Box')
Hot_Box: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Box')
Hot_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water')
Hot_Water_Baseboard_Radiator: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Baseboard_Radiator')
Hot_Water_Coil: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Coil')
Hot_Water_Differential_Pressure_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Differential_Pressure_Deadband_Setpoint')
Hot_Water_Differential_Pressure_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Differential_Pressure_Integral_Time_Parameter')
Hot_Water_Differential_Pressure_Load_Shed_Reset_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Differential_Pressure_Load_Shed_Reset_Status')
Hot_Water_Differential_Pressure_Load_Shed_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Differential_Pressure_Load_Shed_Status')
Hot_Water_Differential_Pressure_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Differential_Pressure_Proportional_Band_Parameter')
Hot_Water_Differential_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Differential_Pressure_Sensor')
Hot_Water_Differential_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Differential_Pressure_Setpoint')
Hot_Water_Differential_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Differential_Temperature_Sensor')
Hot_Water_Discharge_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Discharge_Flow_Sensor')
Hot_Water_Discharge_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Discharge_Flow_Setpoint')
Hot_Water_Discharge_Temperature_Load_Shed_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Discharge_Temperature_Load_Shed_Status')
Hot_Water_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Flow_Sensor')
Hot_Water_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Flow_Setpoint')
Hot_Water_Loop: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Loop')
Hot_Water_Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Meter')
Hot_Water_Pump: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Pump')
Hot_Water_Radiator: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Radiator')
Hot_Water_Return_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Return_Flow_Sensor')
Hot_Water_Return_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Return_Temperature_Sensor')
Hot_Water_Static_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Static_Pressure_Setpoint')
Hot_Water_Supply_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Supply_Flow_Sensor')
Hot_Water_Supply_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Supply_Flow_Setpoint')
Hot_Water_Supply_Temperature_High_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Supply_Temperature_High_Reset_Setpoint')
Hot_Water_Supply_Temperature_Load_Shed_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Supply_Temperature_Load_Shed_Status')
Hot_Water_Supply_Temperature_Low_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Supply_Temperature_Low_Reset_Setpoint')
Hot_Water_Supply_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Supply_Temperature_Sensor')
Hot_Water_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_System')
Hot_Water_System_Enable_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_System_Enable_Command')
Hot_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Temperature_Setpoint')
Hot_Water_Usage_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Usage_Sensor')
Hot_Water_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Hot_Water_Valve')
Humidification_Start_Stop_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Humidification_Start_Stop_Status')
Humidifier: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Humidifier')
Humidifier_Fault_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Humidifier_Fault_Status')
Humidify_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Humidify_Command')
Humidity_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Humidity_Alarm')
Humidity_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Humidity_Parameter')
Humidity_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Humidity_Sensor')
Humidity_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Humidity_Setpoint')
Humidity_Tolerance_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Humidity_Tolerance_Parameter')
IDF: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#IDF')
Ice: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Ice')
Ice_Tank_Leaving_Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Ice_Tank_Leaving_Water_Temperature_Sensor')
Illuminance_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Illuminance_Sensor')
Imbalance_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Imbalance_Sensor')
Induction_Unit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Induction_Unit')
Information_Area: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Information_Area')
Inside_Face_Surface_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Inside_Face_Surface_Temperature_Sensor')
Inside_Face_Surface_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Inside_Face_Surface_Temperature_Setpoint')
Intake_Air_Filter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Intake_Air_Filter')
Intake_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Intake_Air_Temperature_Sensor')
Integral_Gain_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Integral_Gain_Parameter')
Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Integral_Time_Parameter')
Intercom_Equipment: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Intercom_Equipment')
Interface: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Interface')
Intrusion_Detection_Equipment: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Intrusion_Detection_Equipment')
Inverter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Inverter')
Isolation_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Isolation_Valve')
Janitor_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Janitor_Room')
Jet_Nozzle_Air_Diffuser: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Jet_Nozzle_Air_Diffuser')
Laboratory: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Laboratory')
Laminar_Flow_Air_Diffuser: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Laminar_Flow_Air_Diffuser')
Last_Fault_Code_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Last_Fault_Code_Status')
Lead_Lag_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Lead_Lag_Command')
Lead_Lag_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Lead_Lag_Status')
Lead_On_Off_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Lead_On_Off_Command')
Leak_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Leak_Alarm')
Leaving_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Leaving_Water')
Leaving_Water_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Leaving_Water_Flow_Sensor')
Leaving_Water_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Leaving_Water_Flow_Setpoint')
Leaving_Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Leaving_Water_Temperature_Sensor')
Leaving_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Leaving_Water_Temperature_Setpoint')
Library: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Library')
Lighting: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Lighting')
Lighting_Equipment: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Lighting_Equipment')
Lighting_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Lighting_System')
Lighting_Zone: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Lighting_Zone')
Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Limit')
Liquid: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Liquid')
Liquid_CO2: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Liquid_CO2')
Liquid_Detection_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Liquid_Detection_Alarm')
Load_Current_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Load_Current_Sensor')
Load_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Load_Parameter')
Load_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Load_Setpoint')
Load_Shed_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Load_Shed_Command')
Load_Shed_Differential_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Load_Shed_Differential_Pressure_Setpoint')
Load_Shed_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Load_Shed_Setpoint')
Load_Shed_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Load_Shed_Status')
Loading_Dock: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Loading_Dock')
Lobby: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Lobby')
Locally_On_Off_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Locally_On_Off_Status')
Location: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Location')
Lockout_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Lockout_Status')
Lockout_Temperature_Differential_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Lockout_Temperature_Differential_Parameter')
Loop: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Loop')
Lounge: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Lounge')
Louver: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Louver')
Low_Freeze_Protect_Temperature_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Low_Freeze_Protect_Temperature_Parameter')
Low_Humidity_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Low_Humidity_Alarm')
Low_Humidity_Alarm_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Low_Humidity_Alarm_Parameter')
Low_Outside_Air_Lockout_Temperature_Differential_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Low_Outside_Air_Lockout_Temperature_Differential_Parameter')
Low_Outside_Air_Temperature_Enable_Differential_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Low_Outside_Air_Temperature_Enable_Differential_Sensor')
Low_Outside_Air_Temperature_Enable_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Low_Outside_Air_Temperature_Enable_Setpoint')
Low_Return_Air_Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Low_Return_Air_Temperature_Alarm')
Low_Suction_Pressure_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Low_Suction_Pressure_Alarm')
Low_Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Low_Temperature_Alarm')
Low_Temperature_Alarm_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Low_Temperature_Alarm_Parameter')
Lowest_Exhaust_Air_Static_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Lowest_Exhaust_Air_Static_Pressure_Sensor')
Luminaire: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Luminaire')
Luminaire_Driver: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Luminaire_Driver')
Luminance_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Luminance_Alarm')
Luminance_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Luminance_Command')
Luminance_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Luminance_Sensor')
Luminance_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Luminance_Setpoint')
MAU: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#MAU')
MDF: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#MDF')
Mail_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Mail_Room')
Maintenance_Mode_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Maintenance_Mode_Command')
Maintenance_Required_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Maintenance_Required_Alarm')
Majlis: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Majlis')
Makeup_Air_Unit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Makeup_Air_Unit')
Makeup_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Makeup_Water')
Makeup_Water_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Makeup_Water_Valve')
Manual_Auto_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Manual_Auto_Status')
Massage_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Massage_Room')
Max_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Air_Flow_Setpoint_Limit')
Max_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Air_Temperature_Setpoint')
Max_Chilled_Water_Differential_Pressure_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Chilled_Water_Differential_Pressure_Setpoint_Limit')
Max_Cooling_Discharge_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Cooling_Discharge_Air_Flow_Setpoint_Limit')
Max_Cooling_Supply_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Cooling_Supply_Air_Flow_Setpoint_Limit')
Max_Discharge_Air_Static_Pressure_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Discharge_Air_Static_Pressure_Setpoint_Limit')
Max_Discharge_Air_Temperature_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Discharge_Air_Temperature_Setpoint_Limit')
Max_Frequency_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Frequency_Command')
Max_Heating_Discharge_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Heating_Discharge_Air_Flow_Setpoint_Limit')
Max_Heating_Supply_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Heating_Supply_Air_Flow_Setpoint_Limit')
Max_Hot_Water_Differential_Pressure_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Hot_Water_Differential_Pressure_Setpoint_Limit')
Max_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Limit')
Max_Load_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Load_Setpoint')
Max_Occupied_Cooling_Discharge_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Occupied_Cooling_Discharge_Air_Flow_Setpoint_Limit')
Max_Occupied_Cooling_Supply_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Occupied_Cooling_Supply_Air_Flow_Setpoint_Limit')
Max_Occupied_Heating_Discharge_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Occupied_Heating_Discharge_Air_Flow_Setpoint_Limit')
Max_Occupied_Heating_Supply_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Occupied_Heating_Supply_Air_Flow_Setpoint_Limit')
Max_Position_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Position_Setpoint_Limit')
Max_Speed_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Speed_Setpoint_Limit')
Max_Static_Pressure_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Static_Pressure_Setpoint_Limit')
Max_Supply_Air_Static_Pressure_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Supply_Air_Static_Pressure_Setpoint_Limit')
Max_Temperature_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Temperature_Setpoint_Limit')
Max_Unoccupied_Cooling_Discharge_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Unoccupied_Cooling_Discharge_Air_Flow_Setpoint_Limit')
Max_Unoccupied_Cooling_Supply_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Unoccupied_Cooling_Supply_Air_Flow_Setpoint_Limit')
Max_Unoccupied_Heating_Discharge_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Unoccupied_Heating_Discharge_Air_Flow_Setpoint_Limit')
Max_Unoccupied_Heating_Supply_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Unoccupied_Heating_Supply_Air_Flow_Setpoint_Limit')
Max_Water_Level_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Water_Level_Alarm')
Max_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Max_Water_Temperature_Setpoint')
Measurable: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Measurable')
Mechanical_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Mechanical_Room')
Media_Hot_Desk: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Media_Hot_Desk')
Media_Production_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Media_Production_Room')
Media_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Media_Room')
Medical_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medical_Room')
Medium_Temperature_Hot_Water_Differential_Pressure_Load_Shed_Reset_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Differential_Pressure_Load_Shed_Reset_Status')
Medium_Temperature_Hot_Water_Differential_Pressure_Load_Shed_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Differential_Pressure_Load_Shed_Setpoint')
Medium_Temperature_Hot_Water_Differential_Pressure_Load_Shed_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Differential_Pressure_Load_Shed_Status')
Medium_Temperature_Hot_Water_Differential_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Differential_Pressure_Sensor')
Medium_Temperature_Hot_Water_Differential_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Differential_Pressure_Setpoint')
Medium_Temperature_Hot_Water_Discharge_Temperature_High_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Discharge_Temperature_High_Reset_Setpoint')
Medium_Temperature_Hot_Water_Discharge_Temperature_Low_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Discharge_Temperature_Low_Reset_Setpoint')
Medium_Temperature_Hot_Water_Return_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Return_Temperature_Sensor')
Medium_Temperature_Hot_Water_Supply_Temperature_High_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Supply_Temperature_High_Reset_Setpoint')
Medium_Temperature_Hot_Water_Supply_Temperature_Load_Shed_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Supply_Temperature_Load_Shed_Setpoint')
Medium_Temperature_Hot_Water_Supply_Temperature_Load_Shed_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Supply_Temperature_Load_Shed_Status')
Medium_Temperature_Hot_Water_Supply_Temperature_Low_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Supply_Temperature_Low_Reset_Setpoint')
Medium_Temperature_Hot_Water_Supply_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Medium_Temperature_Hot_Water_Supply_Temperature_Sensor')
Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Meter')
Methane_Level_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Methane_Level_Sensor')
Min_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Air_Flow_Setpoint_Limit')
Min_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Air_Temperature_Setpoint')
Min_Chilled_Water_Differential_Pressure_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Chilled_Water_Differential_Pressure_Setpoint_Limit')
Min_Cooling_Discharge_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Cooling_Discharge_Air_Flow_Setpoint_Limit')
Min_Cooling_Supply_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Cooling_Supply_Air_Flow_Setpoint_Limit')
Min_Discharge_Air_Static_Pressure_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Discharge_Air_Static_Pressure_Setpoint_Limit')
Min_Discharge_Air_Temperature_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Discharge_Air_Temperature_Setpoint_Limit')
Min_Fresh_Air_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Fresh_Air_Setpoint_Limit')
Min_Heating_Discharge_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Heating_Discharge_Air_Flow_Setpoint_Limit')
Min_Heating_Supply_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Heating_Supply_Air_Flow_Setpoint_Limit')
Min_Hot_Water_Differential_Pressure_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Hot_Water_Differential_Pressure_Setpoint_Limit')
Min_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Limit')
Min_Occupied_Cooling_Discharge_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Occupied_Cooling_Discharge_Air_Flow_Setpoint_Limit')
Min_Occupied_Cooling_Supply_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Occupied_Cooling_Supply_Air_Flow_Setpoint_Limit')
Min_Occupied_Heating_Discharge_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Occupied_Heating_Discharge_Air_Flow_Setpoint_Limit')
Min_Occupied_Heating_Supply_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Occupied_Heating_Supply_Air_Flow_Setpoint_Limit')
Min_Outside_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Outside_Air_Flow_Setpoint_Limit')
Min_Position_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Position_Setpoint_Limit')
Min_Speed_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Speed_Setpoint_Limit')
Min_Static_Pressure_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Static_Pressure_Setpoint_Limit')
Min_Supply_Air_Static_Pressure_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Supply_Air_Static_Pressure_Setpoint_Limit')
Min_Temperature_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Temperature_Setpoint_Limit')
Min_Unoccupied_Cooling_Discharge_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Unoccupied_Cooling_Discharge_Air_Flow_Setpoint_Limit')
Min_Unoccupied_Cooling_Supply_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Unoccupied_Cooling_Supply_Air_Flow_Setpoint_Limit')
Min_Unoccupied_Heating_Discharge_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Unoccupied_Heating_Discharge_Air_Flow_Setpoint_Limit')
Min_Unoccupied_Heating_Supply_Air_Flow_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Unoccupied_Heating_Supply_Air_Flow_Setpoint_Limit')
Min_Water_Level_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Water_Level_Alarm')
Min_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Min_Water_Temperature_Setpoint')
Mixed_Air: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Mixed_Air')
Mixed_Air_Filter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Mixed_Air_Filter')
Mixed_Air_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Mixed_Air_Flow_Sensor')
Mixed_Air_Humidity_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Mixed_Air_Humidity_Sensor')
Mixed_Air_Humidity_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Mixed_Air_Humidity_Setpoint')
Mixed_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Mixed_Air_Temperature_Sensor')
Mixed_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Mixed_Air_Temperature_Setpoint')
Mixed_Damper: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Mixed_Damper')
Mode_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Mode_Command')
Mode_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Mode_Status')
Motion_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Motion_Sensor')
Motor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Motor')
Motor_Control_Center: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Motor_Control_Center')
Motor_Current_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Motor_Current_Sensor')
Motor_Direction_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Motor_Direction_Status')
Motor_On_Off_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Motor_On_Off_Status')
Motor_Speed_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Motor_Speed_Sensor')
Motor_Torque_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Motor_Torque_Sensor')
NO2_Level_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#NO2_Level_Sensor')
NVR: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#NVR')
Natural_Gas: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Natural_Gas')
Natural_Gas_Boiler: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Natural_Gas_Boiler')
Network_Video_Recorder: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Network_Video_Recorder')
No_Water_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#No_Water_Alarm')
Noncondensing_Natural_Gas_Boiler: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Noncondensing_Natural_Gas_Boiler')
Occupancy_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupancy_Command')
Occupancy_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupancy_Sensor')
Occupancy_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupancy_Status')
Occupied_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Air_Temperature_Setpoint')
Occupied_Cooling_Discharge_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Cooling_Discharge_Air_Flow_Setpoint')
Occupied_Cooling_Supply_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Cooling_Supply_Air_Flow_Setpoint')
Occupied_Cooling_Temperature_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Cooling_Temperature_Deadband_Setpoint')
Occupied_Discharge_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Discharge_Air_Flow_Setpoint')
Occupied_Discharge_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Discharge_Air_Temperature_Setpoint')
Occupied_Heating_Discharge_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Heating_Discharge_Air_Flow_Setpoint')
Occupied_Heating_Supply_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Heating_Supply_Air_Flow_Setpoint')
Occupied_Heating_Temperature_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Heating_Temperature_Deadband_Setpoint')
Occupied_Mode_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Mode_Status')
Occupied_Return_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Return_Air_Temperature_Setpoint')
Occupied_Room_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Room_Air_Temperature_Setpoint')
Occupied_Supply_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Supply_Air_Flow_Setpoint')
Occupied_Supply_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Supply_Air_Temperature_Setpoint')
Occupied_Zone_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Occupied_Zone_Air_Temperature_Setpoint')
Off_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Off_Command')
Off_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Off_Status')
Office: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Office')
Office_Kitchen: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Office_Kitchen')
Oil: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Oil')
On_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#On_Command')
On_Off_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#On_Off_Command')
On_Off_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#On_Off_Status')
On_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#On_Status')
On_Timer_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#On_Timer_Sensor')
Open_Close_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Open_Close_Status')
Open_Heating_Valve_Outside_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Open_Heating_Valve_Outside_Air_Temperature_Setpoint')
Open_Office: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Open_Office')
Operating_Mode_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Operating_Mode_Status')
Outdoor_Area: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outdoor_Area')
Output_Frequency_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Output_Frequency_Sensor')
Output_Voltage_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Output_Voltage_Sensor')
Outside: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside')
Outside_Air: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air')
Outside_Air_CO2_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_CO2_Sensor')
Outside_Air_CO_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_CO_Sensor')
Outside_Air_Dewpoint_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Dewpoint_Sensor')
Outside_Air_Enthalpy_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Enthalpy_Sensor')
Outside_Air_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Flow_Sensor')
Outside_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Flow_Setpoint')
Outside_Air_Grains_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Grains_Sensor')
Outside_Air_Humidity_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Humidity_Sensor')
Outside_Air_Humidity_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Humidity_Setpoint')
Outside_Air_Lockout_Temperature_Differential_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Lockout_Temperature_Differential_Parameter')
Outside_Air_Lockout_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Lockout_Temperature_Setpoint')
Outside_Air_Temperature_Enable_Differential_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Temperature_Enable_Differential_Sensor')
Outside_Air_Temperature_High_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Temperature_High_Reset_Setpoint')
Outside_Air_Temperature_Low_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Temperature_Low_Reset_Setpoint')
Outside_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Temperature_Sensor')
Outside_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Temperature_Setpoint')
Outside_Air_Wet_Bulb_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Air_Wet_Bulb_Temperature_Sensor')
Outside_Damper: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Damper')
Outside_Face_Surface_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Face_Surface_Temperature_Sensor')
Outside_Face_Surface_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Face_Surface_Temperature_Setpoint')
Outside_Illuminance_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Outside_Illuminance_Sensor')
Overload_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Overload_Alarm')
Overridden_Off_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Overridden_Off_Status')
Overridden_On_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Overridden_On_Status')
Overridden_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Overridden_Status')
Override_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Override_Command')
Ozone_Level_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Ozone_Level_Sensor')
PAU: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PAU')
PID_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PID_Parameter')
PIR_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PIR_Sensor')
PM10_Level_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PM10_Level_Sensor')
PM10_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PM10_Sensor')
PM1_Level_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PM1_Level_Sensor')
PM1_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PM1_Sensor')
PVT_Panel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PVT_Panel')
PV_Array: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PV_Array')
PV_Current_Output_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PV_Current_Output_Sensor')
PV_Generation_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PV_Generation_System')
PV_Panel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PV_Panel')
Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Parameter')
Parking_Level: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Parking_Level')
Parking_Space: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Parking_Space')
Parking_Structure: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Parking_Structure')
Particulate_Matter_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Particulate_Matter_Sensor')
Passive_Chilled_Beam: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Passive_Chilled_Beam')
Peak_Power_Demand_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Peak_Power_Demand_Sensor')
Photovoltaic_Array: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Photovoltaic_Array')
Photovoltaic_Current_Output_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Photovoltaic_Current_Output_Sensor')
Piezoelectric_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Piezoelectric_Sensor')
PlugStrip: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#PlugStrip')
Plumbing_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Plumbing_Room')
Point: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Point')
Portfolio: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Portfolio')
Position_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Position_Command')
Position_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Position_Limit')
Position_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Position_Sensor')
Potable_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Potable_Water')
Power_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Power_Alarm')
Power_Loss_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Power_Loss_Alarm')
Power_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Power_Sensor')
Prayer_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Prayer_Room')
Pre_Filter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Pre_Filter')
Pre_Filter_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Pre_Filter_Status')
Preheat_Demand_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Preheat_Demand_Setpoint')
Preheat_Discharge_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Preheat_Discharge_Air_Temperature_Sensor')
Preheat_Hot_Water_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Preheat_Hot_Water_System')
Preheat_Hot_Water_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Preheat_Hot_Water_Valve')
Preheat_Supply_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Preheat_Supply_Air_Temperature_Sensor')
Pressure_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Pressure_Alarm')
Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Pressure_Sensor')
Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Pressure_Setpoint')
Pressure_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Pressure_Status')
Private_Office: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Private_Office')
Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Proportional_Band_Parameter')
Proportional_Gain_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Proportional_Gain_Parameter')
Pump: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Pump')
Pump_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Pump_Command')
Pump_On_Off_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Pump_On_Off_Status')
Pump_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Pump_Room')
Pump_VFD: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Pump_VFD')
Quantity: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Quantity')
RC_Panel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#RC_Panel')
RTU: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#RTU')
RVAV: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#RVAV')
Radiant_Ceiling_Panel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Radiant_Ceiling_Panel')
Radiant_Panel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Radiant_Panel')
Radiant_Panel_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Radiant_Panel_Temperature_Sensor')
Radiant_Panel_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Radiant_Panel_Temperature_Setpoint')
Radiation_Hot_Water_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Radiation_Hot_Water_System')
Radiator: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Radiator')
Radioactivity_Concentration_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Radioactivity_Concentration_Sensor')
Radon_Concentration_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Radon_Concentration_Sensor')
Rain_Duration_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Rain_Duration_Sensor')
Rain_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Rain_Sensor')
Rated_Speed_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Rated_Speed_Setpoint')
Reactive_Power_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Reactive_Power_Sensor')
Reception: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Reception')
Region: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Region')
Reheat_Hot_Water_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Reheat_Hot_Water_System')
Reheat_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Reheat_Valve')
Relative_Humidity_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Relative_Humidity_Sensor')
Relief_Damper: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Relief_Damper')
Relief_Fan: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Relief_Fan')
Remotely_On_Off_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Remotely_On_Off_Status')
Reset_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Reset_Command')
Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Reset_Setpoint')
Rest_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Rest_Room')
Restroom: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Restroom')
Retail_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Retail_Room')
Return_Air: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air')
Return_Air_CO2_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_CO2_Sensor')
Return_Air_CO2_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_CO2_Setpoint')
Return_Air_CO_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_CO_Sensor')
Return_Air_Dewpoint_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Dewpoint_Sensor')
Return_Air_Differential_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Differential_Pressure_Sensor')
Return_Air_Differential_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Differential_Pressure_Setpoint')
Return_Air_Enthalpy_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Enthalpy_Sensor')
Return_Air_Filter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Filter')
Return_Air_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Flow_Sensor')
Return_Air_Grains_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Grains_Sensor')
Return_Air_Humidity_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Humidity_Sensor')
Return_Air_Humidity_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Humidity_Setpoint')
Return_Air_Plenum: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Plenum')
Return_Air_Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Temperature_Alarm')
Return_Air_Temperature_High_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Temperature_High_Reset_Setpoint')
Return_Air_Temperature_Low_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Temperature_Low_Reset_Setpoint')
Return_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Temperature_Sensor')
Return_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Air_Temperature_Setpoint')
Return_Chilled_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Chilled_Water_Temperature_Setpoint')
Return_Condenser_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Condenser_Water')
Return_Condenser_Water_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Condenser_Water_Flow_Sensor')
Return_Condenser_Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Condenser_Water_Temperature_Sensor')
Return_Condenser_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Condenser_Water_Temperature_Setpoint')
Return_Damper: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Damper')
Return_Fan: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Fan')
Return_Heating_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Heating_Valve')
Return_Hot_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Hot_Water')
Return_Hot_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Hot_Water_Temperature_Setpoint')
Return_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Water')
Return_Water_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Water_Flow_Sensor')
Return_Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Water_Temperature_Sensor')
Return_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Return_Water_Temperature_Setpoint')
Riser: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Riser')
Rooftop: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Rooftop')
Rooftop_Unit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Rooftop_Unit')
Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Room')
Room_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Room_Air_Temperature_Setpoint')
Run_Enable_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Run_Enable_Command')
Run_Request_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Run_Request_Status')
Run_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Run_Status')
Run_Time_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Run_Time_Sensor')
Safety_Equipment: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Safety_Equipment')
Safety_Shower: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Safety_Shower')
Safety_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Safety_System')
Sash_Position_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Sash_Position_Sensor')
Schedule_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Schedule_Temperature_Setpoint')
Security_Equipment: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Security_Equipment')
Security_Service_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Security_Service_Room')
Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Sensor')
Server_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Server_Room')
Service_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Service_Room')
Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Setpoint')
Shading_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Shading_System')
Shared_Office: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Shared_Office')
Short_Cycle_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Short_Cycle_Alarm')
Shower: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Shower')
Site: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Site')
Smoke_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Smoke_Alarm')
Smoke_Detection_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Smoke_Detection_Alarm')
Solar_Azimuth_Angle_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Solar_Azimuth_Angle_Sensor')
Solar_Radiance_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Solar_Radiance_Sensor')
Solar_Thermal_Collector: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Solar_Thermal_Collector')
Solar_Zenith_Angle_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Solar_Zenith_Angle_Sensor')
Solid: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Solid')
Space: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Space')
Space_Heater: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Space_Heater')
Speed_Reset_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Speed_Reset_Command')
Speed_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Speed_Sensor')
Speed_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Speed_Setpoint')
Speed_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Speed_Setpoint_Limit')
Speed_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Speed_Status')
Sports_Service_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Sports_Service_Room')
Stage_Enable_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Stage_Enable_Command')
Stage_Riser: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Stage_Riser')
Stages_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Stages_Status')
Staircase: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Staircase')
Standby_CRAC: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Standby_CRAC')
Standby_Fan: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Standby_Fan')
Standby_Glycool_Unit_On_Off_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Standby_Glycool_Unit_On_Off_Status')
Standby_Load_Shed_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Standby_Load_Shed_Command')
Standby_Unit_On_Off_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Standby_Unit_On_Off_Status')
Start_Stop_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Start_Stop_Command')
Start_Stop_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Start_Stop_Status')
Static_Pressure_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Static_Pressure_Deadband_Setpoint')
Static_Pressure_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Static_Pressure_Integral_Time_Parameter')
Static_Pressure_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Static_Pressure_Proportional_Band_Parameter')
Static_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Static_Pressure_Sensor')
Static_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Static_Pressure_Setpoint')
Static_Pressure_Setpoint_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Static_Pressure_Setpoint_Limit')
Static_Pressure_Step_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Static_Pressure_Step_Parameter')
Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Status')
Steam: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Steam')
Steam_Baseboard_Radiator: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Steam_Baseboard_Radiator')
Steam_Distribution: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Steam_Distribution')
Steam_On_Off_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Steam_On_Off_Command')
Steam_Radiator: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Steam_Radiator')
Steam_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Steam_System')
Steam_Usage_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Steam_Usage_Sensor')
Steam_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Steam_Valve')
Step_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Step_Parameter')
Storage_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Storage_Room')
Storey: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Storey')
Studio: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Studio')
Substance: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Substance')
Supply_Air: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air')
Supply_Air_Differential_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Differential_Pressure_Sensor')
Supply_Air_Differential_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Differential_Pressure_Setpoint')
Supply_Air_Duct_Pressure_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Duct_Pressure_Status')
Supply_Air_Flow_Demand_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Flow_Demand_Setpoint')
Supply_Air_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Flow_Sensor')
Supply_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Flow_Setpoint')
Supply_Air_Humidity_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Humidity_Sensor')
Supply_Air_Humidity_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Humidity_Setpoint')
Supply_Air_Integral_Gain_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Integral_Gain_Parameter')
Supply_Air_Plenum: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Plenum')
Supply_Air_Proportional_Gain_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Proportional_Gain_Parameter')
Supply_Air_Static_Pressure_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Static_Pressure_Deadband_Setpoint')
Supply_Air_Static_Pressure_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Static_Pressure_Integral_Time_Parameter')
Supply_Air_Static_Pressure_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Static_Pressure_Proportional_Band_Parameter')
Supply_Air_Static_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Static_Pressure_Sensor')
Supply_Air_Static_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Static_Pressure_Setpoint')
Supply_Air_Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Temperature_Alarm')
Supply_Air_Temperature_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Temperature_Deadband_Setpoint')
Supply_Air_Temperature_High_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Temperature_High_Reset_Setpoint')
Supply_Air_Temperature_Low_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Temperature_Low_Reset_Setpoint')
Supply_Air_Temperature_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Temperature_Proportional_Band_Parameter')
Supply_Air_Temperature_Reset_Differential_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Temperature_Reset_Differential_Setpoint')
Supply_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Temperature_Sensor')
Supply_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Temperature_Setpoint')
Supply_Air_Temperature_Step_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Temperature_Step_Parameter')
Supply_Air_Velocity_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Air_Velocity_Pressure_Sensor')
Supply_Chilled_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Chilled_Water')
Supply_Chilled_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Chilled_Water_Temperature_Setpoint')
Supply_Condenser_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Condenser_Water')
Supply_Condenser_Water_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Condenser_Water_Flow_Sensor')
Supply_Condenser_Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Condenser_Water_Temperature_Sensor')
Supply_Condenser_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Condenser_Water_Temperature_Setpoint')
Supply_Fan: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Fan')
Supply_Hot_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Hot_Water')
Supply_Hot_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Hot_Water_Temperature_Setpoint')
Supply_Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Water')
Supply_Water_Differential_Pressure_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Water_Differential_Pressure_Deadband_Setpoint')
Supply_Water_Differential_Pressure_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Water_Differential_Pressure_Integral_Time_Parameter')
Supply_Water_Differential_Pressure_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Water_Differential_Pressure_Proportional_Band_Parameter')
Supply_Water_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Water_Flow_Sensor')
Supply_Water_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Water_Flow_Setpoint')
Supply_Water_Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Water_Temperature_Alarm')
Supply_Water_Temperature_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Water_Temperature_Deadband_Setpoint')
Supply_Water_Temperature_Integral_Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Water_Temperature_Integral_Time_Parameter')
Supply_Water_Temperature_Proportional_Band_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Water_Temperature_Proportional_Band_Parameter')
Supply_Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Supply_Water_Temperature_Setpoint')
Surveillance_Camera: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Surveillance_Camera')
Switch: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Switch')
Switch_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Switch_Room')
Switchgear: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Switchgear')
System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#System')
System_Enable_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#System_Enable_Command')
System_Shutdown_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#System_Shutdown_Status')
System_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#System_Status')
TABS_Panel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#TABS_Panel')
TETRA_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#TETRA_Room')
TVOC_Level_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#TVOC_Level_Sensor')
TVOC_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#TVOC_Sensor')
Team_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Team_Room')
Telecom_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Telecom_Room')
Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Temperature_Alarm')
Temperature_Deadband_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Temperature_Deadband_Setpoint')
Temperature_Differential_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Temperature_Differential_Reset_Setpoint')
Temperature_High_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Temperature_High_Reset_Setpoint')
Temperature_Low_Reset_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Temperature_Low_Reset_Setpoint')
Temperature_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Temperature_Parameter')
Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Temperature_Sensor')
Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Temperature_Setpoint')
Temperature_Step_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Temperature_Step_Parameter')
Temperature_Tolerance_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Temperature_Tolerance_Parameter')
Temporary_Occupancy_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Temporary_Occupancy_Status')
Terminal_Unit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Terminal_Unit')
Thermal_Power_Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Thermal_Power_Meter')
Thermal_Power_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Thermal_Power_Sensor')
Thermally_Activated_Building_System_Panel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Thermally_Activated_Building_System_Panel')
Thermostat: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Thermostat')
Ticketing_Booth: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Ticketing_Booth')
Time_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Time_Parameter')
Time_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Time_Setpoint')
Tolerance_Parameter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Tolerance_Parameter')
Torque_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Torque_Sensor')
Touchpanel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Touchpanel')
Trace_Heat_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Trace_Heat_Sensor')
Transformer: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Transformer')
Transformer_Room: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Transformer_Room')
Tunnel: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Tunnel')
Underfloor_Air_Plenum: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Underfloor_Air_Plenum')
Underfloor_Air_Plenum_Static_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Underfloor_Air_Plenum_Static_Pressure_Sensor')
Underfloor_Air_Plenum_Static_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Underfloor_Air_Plenum_Static_Pressure_Setpoint')
Underfloor_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Underfloor_Air_Temperature_Sensor')
Unit_Failure_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Unit_Failure_Alarm')
Unoccupied_Air_Temperature_Cooling_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Unoccupied_Air_Temperature_Cooling_Setpoint')
Unoccupied_Air_Temperature_Heating_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Unoccupied_Air_Temperature_Heating_Setpoint')
Unoccupied_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Unoccupied_Air_Temperature_Setpoint')
Unoccupied_Cooling_Discharge_Air_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Unoccupied_Cooling_Discharge_Air_Flow_Setpoint')
Unoccupied_Discharge_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Unoccupied_Discharge_Air_Temperature_Setpoint')
Unoccupied_Load_Shed_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Unoccupied_Load_Shed_Command')
Unoccupied_Return_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Unoccupied_Return_Air_Temperature_Setpoint')
Unoccupied_Room_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Unoccupied_Room_Air_Temperature_Setpoint')
Unoccupied_Supply_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Unoccupied_Supply_Air_Temperature_Setpoint')
Unoccupied_Zone_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Unoccupied_Zone_Air_Temperature_Setpoint')
Usage_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Usage_Sensor')
VAV: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#VAV')
VFD: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#VFD')
VFD_Enable_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#VFD_Enable_Command')
Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Valve')
Valve_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Valve_Command')
Valve_Position_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Valve_Position_Sensor')
Variable_Air_Volume_Box: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Variable_Air_Volume_Box')
Variable_Air_Volume_Box_With_Reheat: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Variable_Air_Volume_Box_With_Reheat')
Variable_Frequency_Drive: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Variable_Frequency_Drive')
Velocity_Pressure_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Velocity_Pressure_Sensor')
Velocity_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Velocity_Pressure_Setpoint')
Vent_Operating_Mode_Status: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Vent_Operating_Mode_Status')
Ventilation_Air_Flow_Ratio_Limit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Ventilation_Air_Flow_Ratio_Limit')
Ventilation_Air_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Ventilation_Air_System')
Vertical_Space: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Vertical_Space')
Video_Intercom: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Video_Intercom')
Video_Surveillance_Equipment: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Video_Surveillance_Equipment')
Visitor_Lobby: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Visitor_Lobby')
Voltage_Imbalance_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Voltage_Imbalance_Sensor')
Voltage_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Voltage_Sensor')
Wardrobe: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Wardrobe')
Warm_Cool_Adjust_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Warm_Cool_Adjust_Sensor')
Warmest_Zone_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Warmest_Zone_Air_Temperature_Sensor')
Waste_Storage: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Waste_Storage')
Water: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water')
Water_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Alarm')
Water_Differential_Pressure_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Differential_Pressure_Setpoint')
Water_Differential_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Differential_Temperature_Sensor')
Water_Differential_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Differential_Temperature_Setpoint')
Water_Distribution: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Distribution')
Water_Flow_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Flow_Sensor')
Water_Flow_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Flow_Setpoint')
Water_Heater: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Heater')
Water_Level_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Level_Alarm')
Water_Level_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Level_Sensor')
Water_Loop: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Loop')
Water_Loss_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Loss_Alarm')
Water_Meter: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Meter')
Water_Pump: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Pump')
Water_System: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_System')
Water_Tank: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Tank')
Water_Temperature_Alarm: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Temperature_Alarm')
Water_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Temperature_Sensor')
Water_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Temperature_Setpoint')
Water_Usage_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Usage_Sensor')
Water_Valve: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Water_Valve')
Weather_Station: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Weather_Station')
Wind_Direction_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Wind_Direction_Sensor')
Wind_Speed_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Wind_Speed_Sensor')
Wing: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Wing')
Workshop: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Workshop')
Zone: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Zone')
Zone_Air: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Zone_Air')
Zone_Air_Cooling_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Zone_Air_Cooling_Temperature_Setpoint')
Zone_Air_Dewpoint_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Zone_Air_Dewpoint_Sensor')
Zone_Air_Heating_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Zone_Air_Heating_Temperature_Setpoint')
Zone_Air_Humidity_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Zone_Air_Humidity_Sensor')
Zone_Air_Humidity_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Zone_Air_Humidity_Setpoint')
Zone_Air_Temperature_Sensor: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Zone_Air_Temperature_Sensor')
Zone_Air_Temperature_Setpoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Zone_Air_Temperature_Setpoint')
Zone_Standby_Load_Shed_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Zone_Standby_Load_Shed_Command')
Zone_Unoccupied_Load_Shed_Command: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#Zone_Unoccupied_Load_Shed_Command')
aggregate: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#aggregate')
area: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#area')
azimuth: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#azimuth')
buildingPrimaryFunction: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#buildingPrimaryFunction')
buildingThermalTransmittance: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#buildingThermalTransmittance')
conversionEfficiency: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#conversionEfficiency')
coolingCapacity: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#coolingCapacity')
coordinates: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#coordinates')
currentFlowType: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#currentFlowType')
electricalPhaseCount: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#electricalPhaseCount')
electricalPhases: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#electricalPhases')
feeds: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#feeds')
feedsAir: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#feedsAir')
grossArea: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#grossArea')
hasAddress: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#hasAddress')
hasAssociatedTag: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#hasAssociatedTag')
hasInputSubstance: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#hasInputSubstance')
hasLocation: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#hasLocation')
hasOutputSubstance: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#hasOutputSubstance')
hasPart: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#hasPart')
hasPoint: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#hasPoint')
hasQUDTReference: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#hasQUDTReference')
hasTag: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#hasTag')
hasTimeseriesId: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#hasTimeseriesId')
hasUnit: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#hasUnit')
isAssociatedWith: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#isAssociatedWith')
isFedBy: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#isFedBy')
isLocationOf: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#isLocationOf')
isMeasuredBy: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#isMeasuredBy')
isPartOf: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#isPartOf')
isPointOf: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#isPointOf')
isRegulatedBy: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#isRegulatedBy')
isTagOf: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#isTagOf')
latitude: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#latitude')
longitude: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#longitude')
measuredModuleConversionEfficiency: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#measuredModuleConversionEfficiency')
measuredPowerOutput: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#measuredPowerOutput')
measures: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#measures')
netArea: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#netArea')
operationalStage: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#operationalStage')
operationalStageCount: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#operationalStageCount')
panelArea: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#panelArea')
powerComplexity: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#powerComplexity')
powerFlow: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#powerFlow')
ratedModuleConversionEfficiency: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#ratedModuleConversionEfficiency')
ratedPowerOutput: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#ratedPowerOutput')
regulates: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#regulates')
storedAt: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#storedAt')
temperatureCoefficientofPmax: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#temperatureCoefficientofPmax')
thermalTransmittance: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#thermalTransmittance')
tilt: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#tilt')
timeseries: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#timeseries')
value: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#value')
volume: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#volume')
yearBuilt: URIRef = rdflib.term.URIRef('https://brickschema.org/schema/Brick#yearBuilt')
class rdflib.CSVW[source]

Bases: DefinedNamespace

CSVW Namespace Vocabulary Terms

This document describes the RDFS vocabulary description used in the Metadata Vocabulary for Tabular Data [[tabular-metadata]] along with the default JSON-LD Context.

Generated from: http://www.w3.org/ns/csvw Date: 2020-05-26 14:19:58.184766

Cell: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#Cell')
Column: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#Column')
Datatype: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#Datatype')
Dialect: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#Dialect')
Direction: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#Direction')
ForeignKey: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#ForeignKey')
JSON: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#JSON')
NumericFormat: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#NumericFormat')
Row: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#Row')
Schema: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#Schema')
Table: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#Table')
TableGroup: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#TableGroup')
TableReference: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#TableReference')
Transformation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#Transformation')
aboutUrl: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#aboutUrl')
auto: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#auto')
base: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#base')
column: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#column')
columnReference: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#columnReference')
commentPrefix: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#commentPrefix')
csvEncodedTabularData: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#csvEncodedTabularData')
datatype: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#datatype')
decimalChar: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#decimalChar')
default: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#default')
delimiter: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#delimiter')
describes: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#describes')
dialect: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#dialect')
doubleQuote: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#doubleQuote')
encoding: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#encoding')
foreignKey: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#foreignKey')
format: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#format')
groupChar: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#groupChar')
header: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#header')
headerRowCount: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#headerRowCount')
inherit: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#inherit')
lang: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#lang')
length: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#length')
lineTerminators: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#lineTerminators')
ltr: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#ltr')
maxExclusive: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#maxExclusive')
maxInclusive: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#maxInclusive')
maxLength: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#maxLength')
minExclusive: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#minExclusive')
minInclusive: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#minInclusive')
minLength: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#minLength')
name: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#name')
note: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#note')
null: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#null')
ordered: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#ordered')
pattern: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#pattern')
primaryKey: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#primaryKey')
propertyUrl: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#propertyUrl')
quoteChar: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#quoteChar')
reference: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#reference')
referencedRow: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#referencedRow')
required: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#required')
resource: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#resource')
row: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#row')
rowTitle: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#rowTitle')
rownum: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#rownum')
rtl: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#rtl')
schemaReference: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#schemaReference')
scriptFormat: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#scriptFormat')
separator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#separator')
skipBlankRows: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#skipBlankRows')
skipColumns: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#skipColumns')
skipInitialSpace: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#skipInitialSpace')
skipRows: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#skipRows')
source: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#source')
suppressOutput: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#suppressOutput')
table: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#table')
tableDirection: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#tableDirection')
tableSchema: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#tableSchema')
tabularMetadata: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#tabularMetadata')
targetFormat: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#targetFormat')
textDirection: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#textDirection')
title: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#title')
transformations: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#transformations')
trim: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#trim')
uriTemplate: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#uriTemplate')
url: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#url')
valueUrl: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#valueUrl')
virtual: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/csvw#virtual')
class rdflib.ConjunctiveGraph(store='default', identifier=None, default_graph_base=None)[source]

Bases: Graph

A ConjunctiveGraph is an (unnamed) aggregation of all the named graphs in a store.

It has a default graph, whose name is associated with the graph throughout its life. __init__() can take an identifier to use as the name of this default graph or it will assign a BNode.

All methods that add triples work against this default graph.

All queries are carried out against the union of all graphs.

Parameters
__annotations__ = {'__identifier': '_ContextIdentifierType', '__store': 'Store', 'default_context': '_ContextType'}
__contains__(triple_or_quad)[source]

Support for ‘triple/quad in graph’ syntax

Parameters

triple_or_quad (Union[Tuple[Optional[Node], Optional[Node], Optional[Node]], Tuple[Optional[Node], Optional[Node], Optional[Node], Optional[Graph]]]) –

Return type

bool

__init__(store='default', identifier=None, default_graph_base=None)[source]
Parameters
__len__()[source]

Number of triples in the entire conjunctive graph

Return type

int

__module__ = 'rdflib.graph'
__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[Graph], Tuple[Store, IdentifiedNode]]

__str__()[source]

Return str(self).

Return type

str

add(triple_or_quad)[source]

Add a triple or quad to the store.

if a triple is given it is added to the default context

Parameters
Return type

TypeVar(_ConjunctiveGraphT, bound= ConjunctiveGraph)

addN(quads)[source]

Add a sequence of triples with context

Parameters
Return type

TypeVar(_ConjunctiveGraphT, bound= ConjunctiveGraph)

context_id(uri, context_id=None)[source]

URI#context

Parameters
Return type

URIRef

contexts(triple=None)[source]

Iterate over all contexts in the graph

If triple is specified, iterate over all contexts the triple is in.

Parameters

triple (Optional[Tuple[Node, Node, Node]]) –

Return type

Generator[Graph, None, None]

default_context: Graph
get_context(identifier, quoted=False, base=None)[source]

Return a context graph for the given identifier

identifier must be a URIRef or BNode.

Parameters
Return type

Graph

get_graph(identifier)[source]

Returns the graph identified by given identifier

Parameters

identifier (IdentifiedNode) –

Return type

Optional[Graph]

parse(source=None, publicID=None, format=None, location=None, file=None, data=None, **args)[source]

Parse source adding the resulting triples to its own context (sub graph of this graph).

See rdflib.graph.Graph.parse() for documentation on arguments.

Returns

The graph into which the source was parsed. In the case of n3 it returns the root context.

Caution

This method can access directly or indirectly requested network or file resources, for example, when parsing JSON-LD documents with @context directives that point to a network location.

When processing untrusted or potentially malicious documents, measures should be taken to restrict network and file access.

For information on available security measures, see the RDFLib Security Considerations documentation.

Parameters
Return type

Graph

quads(triple_or_quad=None)[source]

Iterate over all the quads in the entire conjunctive graph

Parameters

triple_or_quad (Union[Tuple[Optional[Node], Optional[Node], Optional[Node]], Tuple[Optional[Node], Optional[Node], Optional[Node], Optional[Graph]], None]) –

Return type

Generator[Tuple[Node, Node, Node, Optional[Graph]], None, None]

remove(triple_or_quad)[source]

Removes a triple or quads

if a triple is given it is removed from all contexts

a quad is removed from the given context only

Parameters
Return type

TypeVar(_ConjunctiveGraphT, bound= ConjunctiveGraph)

remove_context(context)[source]

Removes the given context from the graph

Parameters

context (Graph) –

Return type

None

triples(triple_or_quad: Union[Tuple[Optional[Node], Optional[Node], Optional[Node]], Tuple[Optional[Node], Optional[Node], Optional[Node], Optional[Graph]]], context: Optional[Graph] = None) Generator[Tuple[Node, Node, Node], None, None][source]
triples(triple_or_quad: Union[Tuple[Optional[Node], Path, Optional[Node]], Tuple[Optional[Node], Path, Optional[Node], Optional[Graph]]], context: Optional[Graph] = None) Generator[Tuple[Node, Path, Node], None, None]
triples(triple_or_quad: Union[Tuple[Optional[Node], Optional[Union[Path, Node]], Optional[Node]], Tuple[Optional[Node], Optional[Union[Path, Node]], Optional[Node], Optional[Graph]]], context: Optional[Graph] = None) Generator[Union[Tuple[Node, Node, Node], Tuple[Node, Path, Node]], None, None]

Iterate over all the triples in the entire conjunctive graph

For legacy reasons, this can take the context to query either as a fourth element of the quad, or as the explicit context keyword parameter. The kw param takes precedence.

Parameters
Return type

Generator[Union[Tuple[Node, Node, Node], Tuple[Node, Path, Node]], None, None]

triples_choices(triple, context=None)[source]

Iterate over all the triples in the entire conjunctive graph

Parameters
Return type

Generator[Tuple[Node, Node, Node], None, None]

class rdflib.DC[source]

Bases: DefinedNamespace

Dublin Core Metadata Element Set, Version 1.1

Generated from: https://www.dublincore.org/specifications/dublin-core/dcmi-terms/dublin_core_elements.ttl Date: 2020-05-26 14:19:58.671906

contributor: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/contributor')
coverage: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/coverage')
creator: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/creator')
date: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/date')
description: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/description')
format: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/format')
identifier: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/identifier')
language: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/language')
publisher: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/publisher')
relation: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/relation')
rights: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/rights')
source: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/source')
subject: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/subject')
title: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/title')
type: URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/type')
class rdflib.DCAT[source]

Bases: DefinedNamespace

The data catalog vocabulary

DCAT is an RDF vocabulary designed to facilitate interoperability between data catalogs published on the Web. By using DCAT to describe datasets in data catalogs, publishers increase discoverability and enable applications easily to consume metadata from multiple catalogs. It further enables decentralized publishing of catalogs and facilitates federated dataset search across sites. Aggregated DCAT metadata can serve as a manifest file to facilitate digital preservation. DCAT is defined at http://www.w3.org/TR/vocab-dcat/. Any variance between that normative document and this schema is an error in this schema.

Generated from: https://www.w3.org/ns/dcat2.ttl Date: 2020-05-26 14:19:59.985854

Catalog: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#Catalog')
CatalogRecord: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#CatalogRecord')
DataService: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#DataService')
Dataset: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#Dataset')
Distribution: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#Distribution')
Relationship: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#Relationship')
Resource: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#Resource')
Role: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#Role')
accessService: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#accessService')
accessURL: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#accessURL')
bbox: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#bbox')
byteSize: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#byteSize')
catalog: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#catalog')
centroid: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#centroid')
compressFormat: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#compressFormat')
contactPoint: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#contactPoint')
dataset: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#dataset')
distribution: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#distribution')
downloadURL: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#downloadURL')
endDate: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#endDate')
endpointDescription: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#endpointDescription')
endpointURL: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#endpointURL')
hadRole: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#hadRole')
keyword: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#keyword')
landingPage: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#landingPage')
mediaType: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#mediaType')
packageFormat: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#packageFormat')
qualifiedRelation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#qualifiedRelation')
record: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#record')
servesDataset: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#servesDataset')
service: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#service')
spatialResolutionInMeters: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#spatialResolutionInMeters')
startDate: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#startDate')
temporalResolution: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#temporalResolution')
theme: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#theme')
themeTaxonomy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#themeTaxonomy')
class rdflib.DCMITYPE[source]

Bases: DefinedNamespace

DCMI Type Vocabulary

Generated from: https://www.dublincore.org/specifications/dublin-core/dcmi-terms/dublin_core_type.ttl Date: 2020-05-26 14:19:59.084150

Collection: URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Collection')
Dataset: URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Dataset')
Event: URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Event')
Image: URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Image')
InteractiveResource: URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/InteractiveResource')
MovingImage: URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/MovingImage')
PhysicalObject: URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/PhysicalObject')
Service: URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Service')
Software: URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Software')
Sound: URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Sound')
StillImage: URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/StillImage')
Text: URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Text')
class rdflib.DCTERMS[source]

Bases: DefinedNamespace

DCMI Metadata Terms - other

Generated from: https://www.dublincore.org/specifications/dublin-core/dcmi-terms/dublin_core_terms.ttl Date: 2020-05-26 14:20:00.590514

Agent: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/Agent')
AgentClass: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/AgentClass')
BibliographicResource: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/BibliographicResource')
Box: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/Box')
DCMIType: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/DCMIType')
DDC: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/DDC')
FileFormat: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/FileFormat')
Frequency: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/Frequency')
IMT: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/IMT')
ISO3166: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/ISO3166')
Jurisdiction: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/Jurisdiction')
LCC: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/LCC')
LCSH: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/LCSH')
LicenseDocument: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/LicenseDocument')
LinguisticSystem: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/LinguisticSystem')
Location: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/Location')
LocationPeriodOrJurisdiction: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/LocationPeriodOrJurisdiction')
MESH: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/MESH')
MediaType: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/MediaType')
MediaTypeOrExtent: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/MediaTypeOrExtent')
MethodOfAccrual: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/MethodOfAccrual')
MethodOfInstruction: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/MethodOfInstruction')
NLM: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/NLM')
Period: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/Period')
PeriodOfTime: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/PeriodOfTime')
PhysicalMedium: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/PhysicalMedium')
PhysicalResource: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/PhysicalResource')
Point: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/Point')
Policy: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/Policy')
ProvenanceStatement: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/ProvenanceStatement')
RFC1766: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/RFC1766')
RFC3066: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/RFC3066')
RFC4646: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/RFC4646')
RFC5646: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/RFC5646')
RightsStatement: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/RightsStatement')
SizeOrDuration: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/SizeOrDuration')
Standard: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/Standard')
TGN: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/TGN')
UDC: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/UDC')
URI: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/URI')
W3CDTF: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/W3CDTF')
abstract: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/abstract')
accessRights: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/accessRights')
accrualMethod: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/accrualMethod')
accrualPeriodicity: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/accrualPeriodicity')
accrualPolicy: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/accrualPolicy')
alternative: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/alternative')
audience: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/audience')
available: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/available')
bibliographicCitation: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/bibliographicCitation')
conformsTo: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/conformsTo')
contributor: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/contributor')
coverage: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/coverage')
created: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/created')
creator: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/creator')
date: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/date')
dateAccepted: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/dateAccepted')
dateCopyrighted: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/dateCopyrighted')
dateSubmitted: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/dateSubmitted')
description: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/description')
educationLevel: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/educationLevel')
extent: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/extent')
format: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/format')
hasFormat: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/hasFormat')
hasPart: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/hasPart')
hasVersion: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/hasVersion')
identifier: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/identifier')
instructionalMethod: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/instructionalMethod')
isFormatOf: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/isFormatOf')
isPartOf: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/isPartOf')
isReferencedBy: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/isReferencedBy')
isReplacedBy: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/isReplacedBy')
isRequiredBy: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/isRequiredBy')
isVersionOf: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/isVersionOf')
issued: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/issued')
language: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/language')
license: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/license')
mediator: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/mediator')
medium: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/medium')
modified: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/modified')
provenance: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/provenance')
publisher: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/publisher')
references: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/references')
relation: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/relation')
replaces: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/replaces')
requires: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/requires')
rights: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/rights')
rightsHolder: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/rightsHolder')
source: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/source')
spatial: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/spatial')
subject: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/subject')
tableOfContents: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/tableOfContents')
temporal: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/temporal')
title: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/title')
type: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/type')
valid: URIRef = rdflib.term.URIRef('http://purl.org/dc/terms/valid')
class rdflib.DOAP[source]

Bases: DefinedNamespace

Description of a Project (DOAP) vocabulary

The Description of a Project (DOAP) vocabulary, described using W3C RDF Schema and the Web Ontology Language.

Generated from: http://usefulinc.com/ns/doap Date: 2020-05-26 14:20:01.307972

ArchRepository: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#ArchRepository')
BKRepository: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#BKRepository')
BazaarBranch: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#BazaarBranch')
CVSRepository: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#CVSRepository')
DarcsRepository: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#DarcsRepository')
GitBranch: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#GitBranch')
GitRepository: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#GitRepository')
HgRepository: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#HgRepository')
Project: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#Project')
Repository: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#Repository')
SVNRepository: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#SVNRepository')
Specification: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#Specification')
Version: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#Version')
audience: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#audience')
blog: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#blog')
browse: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#browse')
category: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#category')
created: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#created')
description: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#description')
developer: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#developer')
documenter: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#documenter')
helper: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#helper')
homepage: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#homepage')
implements: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#implements')
language: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#language')
license: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#license')
location: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#location')
maintainer: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#maintainer')
module: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#module')
name: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#name')
os: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#os')
platform: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#platform')
release: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#release')
repository: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#repository')
repositoryOf: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#repositoryOf')
revision: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#revision')
screenshots: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#screenshots')
shortdesc: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#shortdesc')
tester: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#tester')
translator: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#translator')
vendor: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#vendor')
wiki: URIRef = rdflib.term.URIRef('http://usefulinc.com/ns/doap#wiki')
class rdflib.Dataset(store='default', default_union=False, default_graph_base=None)[source]

Bases: ConjunctiveGraph

RDF 1.1 Dataset. Small extension to the Conjunctive Graph: - the primary term is graphs in the datasets and not contexts with quads, so there is a separate method to set/retrieve a graph in a dataset and operate with graphs - graphs cannot be identified with blank nodes - added a method to directly add a single quad

Examples of usage:

>>> # Create a new Dataset
>>> ds = Dataset()
>>> # simple triples goes to default graph
>>> ds.add((URIRef("http://example.org/a"),
...    URIRef("http://www.example.org/b"),
...    Literal("foo")))  
<Graph identifier=... (<class 'rdflib.graph.Dataset'>)>
>>>
>>> # Create a graph in the dataset, if the graph name has already been
>>> # used, the corresponding graph will be returned
>>> # (ie, the Dataset keeps track of the constituent graphs)
>>> g = ds.graph(URIRef("http://www.example.com/gr"))
>>>
>>> # add triples to the new graph as usual
>>> g.add(
...     (URIRef("http://example.org/x"),
...     URIRef("http://example.org/y"),
...     Literal("bar")) ) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> # alternatively: add a quad to the dataset -> goes to the graph
>>> ds.add(
...     (URIRef("http://example.org/x"),
...     URIRef("http://example.org/z"),
...     Literal("foo-bar"),g) ) 
<Graph identifier=... (<class 'rdflib.graph.Dataset'>)>
>>>
>>> # querying triples return them all regardless of the graph
>>> for t in ds.triples((None,None,None)):  
...     print(t)  
(rdflib.term.URIRef("http://example.org/a"),
 rdflib.term.URIRef("http://www.example.org/b"),
 rdflib.term.Literal("foo"))
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/z"),
 rdflib.term.Literal("foo-bar"))
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/y"),
 rdflib.term.Literal("bar"))
>>>
>>> # querying quads() return quads; the fourth argument can be unrestricted
>>> # (None) or restricted to a graph
>>> for q in ds.quads((None, None, None, None)):  
...     print(q)  
(rdflib.term.URIRef("http://example.org/a"),
 rdflib.term.URIRef("http://www.example.org/b"),
 rdflib.term.Literal("foo"),
 None)
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/y"),
 rdflib.term.Literal("bar"),
 rdflib.term.URIRef("http://www.example.com/gr"))
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/z"),
 rdflib.term.Literal("foo-bar"),
 rdflib.term.URIRef("http://www.example.com/gr"))
>>>
>>> # unrestricted looping is equivalent to iterating over the entire Dataset
>>> for q in ds:  
...     print(q)  
(rdflib.term.URIRef("http://example.org/a"),
 rdflib.term.URIRef("http://www.example.org/b"),
 rdflib.term.Literal("foo"),
 None)
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/y"),
 rdflib.term.Literal("bar"),
 rdflib.term.URIRef("http://www.example.com/gr"))
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/z"),
 rdflib.term.Literal("foo-bar"),
 rdflib.term.URIRef("http://www.example.com/gr"))
>>>
>>> # resticting iteration to a graph:
>>> for q in ds.quads((None, None, None, g)):  
...     print(q)  
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/y"),
 rdflib.term.Literal("bar"),
 rdflib.term.URIRef("http://www.example.com/gr"))
(rdflib.term.URIRef("http://example.org/x"),
 rdflib.term.URIRef("http://example.org/z"),
 rdflib.term.Literal("foo-bar"),
 rdflib.term.URIRef("http://www.example.com/gr"))
>>> # Note that in the call above -
>>> # ds.quads((None,None,None,"http://www.example.com/gr"))
>>> # would have been accepted, too
>>>
>>> # graph names in the dataset can be queried:
>>> for c in ds.graphs():  
...     print(c)  # doctest:
DEFAULT
http://www.example.com/gr
>>> # A graph can be created without specifying a name; a skolemized genid
>>> # is created on the fly
>>> h = ds.graph()
>>> for c in ds.graphs():  
...     print(c)  
DEFAULT
https://rdflib.github.io/.well-known/genid/rdflib/N...
http://www.example.com/gr
>>> # Note that the Dataset.graphs() call returns names of empty graphs,
>>> # too. This can be restricted:
>>> for c in ds.graphs(empty=False):  
...     print(c)  
DEFAULT
http://www.example.com/gr
>>>
>>> # a graph can also be removed from a dataset via ds.remove_graph(g)

New in version 4.0.

Parameters
__annotations__ = {'__identifier': '_ContextIdentifierType', '__store': 'Store', 'default_context': '_ContextType'}
__getstate__()[source]
Return type

Tuple[Store, IdentifiedNode, Graph, bool]

__init__(store='default', default_union=False, default_graph_base=None)[source]
Parameters
__iter__()[source]

Iterates over all quads in the store

Return type

Generator[Tuple[Node, Node, Node, Optional[IdentifiedNode]], None, None]

__module__ = 'rdflib.graph'
__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[Dataset], Tuple[Store, bool]]

__setstate__(state)[source]
Parameters

state (Tuple[Store, IdentifiedNode, Graph, bool]) –

Return type

None

__str__()[source]

Return str(self).

Return type

str

add_graph(g)[source]

alias of graph for consistency

Parameters

g (Union[IdentifiedNode, Graph, str, None]) –

Return type

Graph

contexts(triple=None)[source]

Iterate over all contexts in the graph

If triple is specified, iterate over all contexts the triple is in.

Parameters

triple (Optional[Tuple[Node, Node, Node]]) –

Return type

Generator[Graph, None, None]

default_context: Graph
graph(identifier=None, base=None)[source]
Parameters
Return type

Graph

graphs(triple=None)

Iterate over all contexts in the graph

If triple is specified, iterate over all contexts the triple is in.

Parameters

triple (Optional[Tuple[Node, Node, Node]]) –

Return type

Generator[Graph, None, None]

parse(source=None, publicID=None, format=None, location=None, file=None, data=None, **args)[source]

Caution

This method can access directly or indirectly requested network or file resources, for example, when parsing JSON-LD documents with @context directives that point to a network location.

When processing untrusted or potentially malicious documents, measures should be taken to restrict network and file access.

For information on available security measures, see the RDFLib Security Considerations documentation.

Parameters
Return type

Graph

quads(quad=None)[source]

Iterate over all the quads in the entire conjunctive graph

Parameters

quad (Union[Tuple[Optional[Node], Optional[Node], Optional[Node]], Tuple[Optional[Node], Optional[Node], Optional[Node], Optional[Graph]], None]) –

Return type

Generator[Tuple[Node, Node, Node, Optional[IdentifiedNode]], None, None]

remove_graph(g)[source]
Parameters
Return type

TypeVar(_DatasetT, bound= Dataset)

class rdflib.FOAF[source]

Bases: DefinedNamespace

Friend of a Friend (FOAF) vocabulary

The Friend of a Friend (FOAF) RDF vocabulary, described using W3C RDF Schema and the Web Ontology Language.

Generated from: http://xmlns.com/foaf/spec/index.rdf Date: 2020-05-26 14:20:01.597998

Agent: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/Agent')
Document: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/Document')
Group: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/Group')
Image: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/Image')
LabelProperty: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/LabelProperty')
OnlineAccount: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/OnlineAccount')
OnlineChatAccount: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/OnlineChatAccount')
OnlineEcommerceAccount: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/OnlineEcommerceAccount')
OnlineGamingAccount: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/OnlineGamingAccount')
Organization: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/Organization')
Person: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/Person')
PersonalProfileDocument: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/PersonalProfileDocument')
Project: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/Project')
account: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/account')
accountName: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/accountName')
accountServiceHomepage: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/accountServiceHomepage')
age: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/age')
aimChatID: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/aimChatID')
based_near: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/based_near')
birthday: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/birthday')
currentProject: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/currentProject')
depiction: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/depiction')
depicts: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/depicts')
dnaChecksum: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/dnaChecksum')
familyName: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/familyName')
family_name: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/family_name')
firstName: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/firstName')
focus: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/focus')
fundedBy: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/fundedBy')
geekcode: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/geekcode')
gender: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/gender')
givenName: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/givenName')
givenname: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/givenname')
holdsAccount: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/holdsAccount')
homepage: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/homepage')
icqChatID: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/icqChatID')
img: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/img')
interest: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/interest')
isPrimaryTopicOf: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/isPrimaryTopicOf')
jabberID: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/jabberID')
knows: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/knows')
lastName: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/lastName')
made: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/made')
maker: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/maker')
mbox: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/mbox')
mbox_sha1sum: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/mbox_sha1sum')
member: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/member')
membershipClass: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/membershipClass')
msnChatID: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/msnChatID')
myersBriggs: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/myersBriggs')
name: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/name')
nick: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/nick')
openid: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/openid')
page: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/page')
pastProject: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/pastProject')
phone: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/phone')
plan: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/plan')
primaryTopic: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/primaryTopic')
publications: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/publications')
schoolHomepage: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/schoolHomepage')
sha1: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/sha1')
skypeID: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/skypeID')
status: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/status')
surname: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/surname')
theme: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/theme')
thumbnail: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/thumbnail')
tipjar: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/tipjar')
title: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/title')
topic: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/topic')
topic_interest: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/topic_interest')
weblog: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/weblog')
workInfoHomepage: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/workInfoHomepage')
workplaceHomepage: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/workplaceHomepage')
yahooChatID: URIRef = rdflib.term.URIRef('http://xmlns.com/foaf/0.1/yahooChatID')
class rdflib.Graph(store='default', identifier=None, namespace_manager=None, base=None, bind_namespaces='core')[source]

Bases: Node

An RDF Graph

The constructor accepts one argument, the “store” that will be used to store the graph data (see the “store” package for stores currently shipped with rdflib).

Stores can be context-aware or unaware. Unaware stores take up (some) less space but cannot support features that require context, such as true merging/demerging of sub-graphs and provenance.

Even if used with a context-aware store, Graph will only expose the quads which belong to the default graph. To access the rest of the data, ConjunctiveGraph or Dataset classes can be used instead.

The Graph constructor can take an identifier which identifies the Graph by name. If none is given, the graph is assigned a BNode for its identifier.

For more on named graphs, see: http://www.w3.org/2004/03/trix/

Parameters
__add__(other)[source]

Set-theoretic union BNode IDs are not changed.

Parameters

other (Graph) –

Return type

Graph

__and__(other)

Set-theoretic intersection. BNode IDs are not changed.

Parameters

other (Graph) –

Return type

Graph

__annotations__ = {'__identifier': '_ContextIdentifierType', '__store': 'Store'}
__cmp__(other)[source]
Return type

int

__contains__(triple)[source]

Support for ‘triple in graph’ syntax

Parameters

triple (Tuple[Optional[Node], Optional[Node], Optional[Node]]) –

Return type

bool

__dict__ = mappingproxy({'__module__': 'rdflib.graph', '__doc__': 'An RDF Graph\n\n    The constructor accepts one argument, the "store"\n    that will be used to store the graph data (see the "store"\n    package for stores currently shipped with rdflib).\n\n    Stores can be context-aware or unaware.  Unaware stores take up\n    (some) less space but cannot support features that require\n    context, such as true merging/demerging of sub-graphs and\n    provenance.\n\n    Even if used with a context-aware store, Graph will only expose the quads which\n    belong to the default graph. To access the rest of the data, `ConjunctiveGraph` or\n    `Dataset` classes can be used instead.\n\n    The Graph constructor can take an identifier which identifies the Graph\n    by name.  If none is given, the graph is assigned a BNode for its\n    identifier.\n\n    For more on named graphs, see: http://www.w3.org/2004/03/trix/\n    ', '__init__': <function Graph.__init__>, 'store': <property object>, 'identifier': <property object>, 'namespace_manager': <property object>, '__repr__': <function Graph.__repr__>, '__str__': <function Graph.__str__>, 'toPython': <function Graph.toPython>, 'destroy': <function Graph.destroy>, 'commit': <function Graph.commit>, 'rollback': <function Graph.rollback>, 'open': <function Graph.open>, 'close': <function Graph.close>, 'add': <function Graph.add>, 'addN': <function Graph.addN>, 'remove': <function Graph.remove>, 'triples': <function Graph.triples>, '__getitem__': <function Graph.__getitem__>, '__len__': <function Graph.__len__>, '__iter__': <function Graph.__iter__>, '__contains__': <function Graph.__contains__>, '__hash__': <function Graph.__hash__>, '__cmp__': <function Graph.__cmp__>, '__eq__': <function Graph.__eq__>, '__lt__': <function Graph.__lt__>, '__le__': <function Graph.__le__>, '__gt__': <function Graph.__gt__>, '__ge__': <function Graph.__ge__>, '__iadd__': <function Graph.__iadd__>, '__isub__': <function Graph.__isub__>, '__add__': <function Graph.__add__>, '__mul__': <function Graph.__mul__>, '__sub__': <function Graph.__sub__>, '__xor__': <function Graph.__xor__>, '__or__': <function Graph.__add__>, '__and__': <function Graph.__mul__>, 'set': <function Graph.set>, 'subjects': <function Graph.subjects>, 'predicates': <function Graph.predicates>, 'objects': <function Graph.objects>, 'subject_predicates': <function Graph.subject_predicates>, 'subject_objects': <function Graph.subject_objects>, 'predicate_objects': <function Graph.predicate_objects>, 'triples_choices': <function Graph.triples_choices>, 'value': <function Graph.value>, 'items': <function Graph.items>, 'transitiveClosure': <function Graph.transitiveClosure>, 'transitive_objects': <function Graph.transitive_objects>, 'transitive_subjects': <function Graph.transitive_subjects>, 'qname': <function Graph.qname>, 'compute_qname': <function Graph.compute_qname>, 'bind': <function Graph.bind>, 'namespaces': <function Graph.namespaces>, 'absolutize': <function Graph.absolutize>, 'serialize': <function Graph.serialize>, 'print': <function Graph.print>, 'parse': <function Graph.parse>, 'query': <function Graph.query>, 'update': <function Graph.update>, 'n3': <function Graph.n3>, '__reduce__': <function Graph.__reduce__>, 'isomorphic': <function Graph.isomorphic>, 'connected': <function Graph.connected>, 'all_nodes': <function Graph.all_nodes>, 'collection': <function Graph.collection>, 'resource': <function Graph.resource>, '_process_skolem_tuples': <function Graph._process_skolem_tuples>, 'skolemize': <function Graph.skolemize>, 'de_skolemize': <function Graph.de_skolemize>, 'cbd': <function Graph.cbd>, '__dict__': <attribute '__dict__' of 'Graph' objects>, '__weakref__': <attribute '__weakref__' of 'Graph' objects>, '__annotations__': {'__identifier': '_ContextIdentifierType', '__store': 'Store'}})
__eq__(other)[source]

Return self==value.

Return type

bool

__ge__(other)[source]

Return self>=value.

Parameters

other (Graph) –

Return type

bool

__getitem__(item)[source]

A graph can be “sliced” as a shortcut for the triples method The python slice syntax is (ab)used for specifying triples. A generator over matches is returned, the returned tuples include only the parts not given

>>> import rdflib
>>> g = rdflib.Graph()
>>> g.add((rdflib.URIRef("urn:bob"), namespace.RDFS.label, rdflib.Literal("Bob"))) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> list(g[rdflib.URIRef("urn:bob")]) # all triples about bob
[(rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#label'), rdflib.term.Literal('Bob'))]
>>> list(g[:namespace.RDFS.label]) # all label triples
[(rdflib.term.URIRef('urn:bob'), rdflib.term.Literal('Bob'))]
>>> list(g[::rdflib.Literal("Bob")]) # all triples with bob as object
[(rdflib.term.URIRef('urn:bob'), rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#label'))]

Combined with SPARQL paths, more complex queries can be written concisely:

Name of all Bobs friends:

g[bob : FOAF.knows/FOAF.name ]

Some label for Bob:

g[bob : DC.title|FOAF.name|RDFS.label]

All friends and friends of friends of Bob

g[bob : FOAF.knows * “+”]

etc.

New in version 4.0.

__gt__(other)[source]

Return self>value.

Return type

bool

__hash__()[source]

Return hash(self).

Return type

int

__iadd__(other)[source]

Add all triples in Graph other to Graph. BNode IDs are not changed.

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

__init__(store='default', identifier=None, namespace_manager=None, base=None, bind_namespaces='core')[source]
Parameters
__isub__(other)[source]

Subtract all triples in Graph other from Graph. BNode IDs are not changed.

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

__iter__()[source]

Iterates over all triples in the store

Return type

Generator[Tuple[Node, Node, Node], None, None]

__le__(other)[source]

Return self<=value.

Parameters

other (Graph) –

Return type

bool

__len__()[source]

Returns the number of triples in the graph

If context is specified then the number of triples in the context is returned instead.

Return type

int

__lt__(other)[source]

Return self<value.

Return type

bool

__module__ = 'rdflib.graph'
__mul__(other)[source]

Set-theoretic intersection. BNode IDs are not changed.

Parameters

other (Graph) –

Return type

Graph

__or__(other)

Set-theoretic union BNode IDs are not changed.

Parameters

other (Graph) –

Return type

Graph

__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[Graph], Tuple[Store, IdentifiedNode]]

__repr__()[source]

Return repr(self).

Return type

str

__str__()[source]

Return str(self).

Return type

str

__sub__(other)[source]

Set-theoretic difference. BNode IDs are not changed.

Parameters

other (Graph) –

Return type

Graph

__weakref__

list of weak references to the object (if defined)

__xor__(other)[source]

Set-theoretic XOR. BNode IDs are not changed.

Parameters

other (Graph) –

Return type

Graph

absolutize(uri, defrag=1)[source]

Turn uri into an absolute URI if it’s not one already

Parameters
  • uri (str) –

  • defrag (int) –

Return type

URIRef

add(triple)[source]

Add a triple with self as context

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

addN(quads)[source]

Add a sequence of triple with context

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

all_nodes()[source]
Return type

Set[Node]

bind(prefix, namespace, override=True, replace=False)[source]

Bind prefix to namespace

If override is True will bind namespace to given prefix even if namespace was already bound to a different prefix.

if replace, replace any existing prefix with the new namespace

for example: graph.bind(“foaf”, “http://xmlns.com/foaf/0.1/”)

Parameters
Return type

None

cbd(resource)[source]

Retrieves the Concise Bounded Description of a Resource from a Graph

Concise Bounded Description (CBD) is defined in [1] as:

Given a particular node (the starting node) in a particular RDF graph (the source graph), a subgraph of that particular graph, taken to comprise a concise bounded description of the resource denoted by the starting node, can be identified as follows:

  1. Include in the subgraph all statements in the source graph where the subject of the statement is the

    starting node;

  2. Recursively, for all statements identified in the subgraph thus far having a blank node object, include

    in the subgraph all statements in the source graph where the subject of the statement is the blank node in question and which are not already included in the subgraph.

  3. Recursively, for all statements included in the subgraph thus far, for all reifications of each statement

    in the source graph, include the concise bounded description beginning from the rdf:Statement node of each reification.

This results in a subgraph where the object nodes are either URI references, literals, or blank nodes not serving as the subject of any statement in the graph.

[1] https://www.w3.org/Submission/CBD/

Parameters

resource (Node) – a URIRef object, of the Resource for queried for

Return type

Graph

Returns

a Graph, subgraph of self

close(commit_pending_transaction=False)[source]

Close the graph store

Might be necessary for stores that require closing a connection to a database or releasing some resource.

Parameters

commit_pending_transaction (bool) –

Return type

None

collection(identifier)[source]

Create a new Collection instance.

Parameters:

  • identifier: a URIRef or BNode instance.

Example:

>>> graph = Graph()
>>> uri = URIRef("http://example.org/resource")
>>> collection = graph.collection(uri)
>>> assert isinstance(collection, Collection)
>>> assert collection.uri is uri
>>> assert collection.graph is graph
>>> collection += [ Literal(1), Literal(2) ]
Parameters

identifier (Node) –

Return type

Collection

commit()[source]

Commits active transactions

Parameters

self (TypeVar(_GraphT, bound= Graph)) –

Return type

TypeVar(_GraphT, bound= Graph)

compute_qname(uri, generate=True)[source]
Parameters
  • uri (str) –

  • generate (bool) –

Return type

Tuple[str, URIRef, str]

connected()[source]

Check if the Graph is connected

The Graph is considered undirectional.

Performs a search on the Graph, starting from a random node. Then iteratively goes depth-first through the triplets where the node is subject and object. Return True if all nodes have been visited and False if it cannot continue and there are still unvisited nodes left.

Return type

bool

de_skolemize(new_graph=None, uriref=None)[source]
Parameters
Return type

Graph

destroy(configuration)[source]

Destroy the store identified by configuration if supported

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

property identifier: IdentifiedNode
Return type

IdentifiedNode

isomorphic(other)[source]

does a very basic check if these graphs are the same If no BNodes are involved, this is accurate.

See rdflib.compare for a correct implementation of isomorphism checks

Parameters

other (Graph) –

Return type

bool

items(list)[source]

Generator over all items in the resource specified by list

list is an RDF collection.

Parameters

list (Node) –

Return type

Generator[Node, None, None]

n3()[source]

Return an n3 identifier for the Graph

Return type

str

property namespace_manager: NamespaceManager

this graph’s namespace-manager

Return type

NamespaceManager

namespaces()[source]

Generator over all the prefix, namespace tuples

Return type

Generator[Tuple[str, URIRef], None, None]

objects(subject=None, predicate=None, unique=False)[source]

A generator of (optionally unique) objects with the given subject and predicate

Parameters
Return type

Generator[Node, None, None]

open(configuration, create=False)[source]

Open the graph store

Might be necessary for stores that require opening a connection to a database or acquiring some resource.

Parameters
  • configuration (str) –

  • create (bool) –

Return type

Optional[int]

parse(source=None, publicID=None, format=None, location=None, file=None, data=None, **args)[source]

Parse an RDF source adding the resulting triples to the Graph.

The source is specified using one of source, location, file or data.

Caution

This method can access directly or indirectly requested network or file resources, for example, when parsing JSON-LD documents with @context directives that point to a network location.

When processing untrusted or potentially malicious documents, measures should be taken to restrict network and file access.

For information on available security measures, see the RDFLib Security Considerations documentation.

Parameters
  • source: An InputSource, file-like object, or string. In the case of a string the string is the location of the source.

  • location: A string indicating the relative or absolute URL of the source. Graph’s absolutize method is used if a relative location is specified.

  • file: A file-like object.

  • data: A string containing the data to be parsed.

  • format: Used if format can not be determined from source, e.g. file extension or Media Type. Defaults to text/turtle. Format support can be extended with plugins, but “xml”, “n3” (use for turtle), “nt” & “trix” are built in.

  • publicID: the logical URI to use as the document base. If None specified the document location is used (at least in the case where there is a document location).

Returns
  • self, the graph instance.

Examples:

>>> my_data = '''
... <rdf:RDF
...   xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
...   xmlns:rdfs="http://www.w3.org/2000/01/rdf-schema#"
... >
...   <rdf:Description>
...     <rdfs:label>Example</rdfs:label>
...     <rdfs:comment>This is really just an example.</rdfs:comment>
...   </rdf:Description>
... </rdf:RDF>
... '''
>>> import os, tempfile
>>> fd, file_name = tempfile.mkstemp()
>>> f = os.fdopen(fd, "w")
>>> dummy = f.write(my_data)  # Returns num bytes written
>>> f.close()
>>> g = Graph()
>>> result = g.parse(data=my_data, format="application/rdf+xml")
>>> len(g)
2
>>> g = Graph()
>>> result = g.parse(location=file_name, format="application/rdf+xml")
>>> len(g)
2
>>> g = Graph()
>>> with open(file_name, "r") as f:
...     result = g.parse(f, format="application/rdf+xml")
>>> len(g)
2
>>> os.remove(file_name)
>>> # default turtle parsing
>>> result = g.parse(data="<http://example.com/a> <http://example.com/a> <http://example.com/a> .")
>>> len(g)
3
Parameters
Return type

Graph

predicate_objects(subject=None, unique=False)[source]

A generator of (optionally unique) (predicate, object) tuples for the given subject

Parameters
Return type

Generator[Tuple[Node, Node], None, None]

predicates(subject=None, object=None, unique=False)[source]

A generator of (optionally unique) predicates with the given subject and object

Parameters
Return type

Generator[Node, None, None]

print(format='turtle', encoding='utf-8', out=None)[source]
Parameters
Return type

None

qname(uri)[source]
Parameters

uri (str) –

Return type

str

query(query_object, processor='sparql', result='sparql', initNs=None, initBindings=None, use_store_provided=True, **kwargs)[source]

Query this graph.

A type of ‘prepared queries’ can be realised by providing initial variable bindings with initBindings

Initial namespaces are used to resolve prefixes used in the query, if none are given, the namespaces from the graph’s namespace manager are used.

Caution

This method can access indirectly requested network endpoints, for example, query processing will attempt to access network endpoints specified in SERVICE directives.

When processing untrusted or potentially malicious queries, measures should be taken to restrict network and file access.

For information on available security measures, see the RDFLib Security Considerations documentation.

Returntype

Result

Parameters
Return type

Result

remove(triple)[source]

Remove a triple from the graph

If the triple does not provide a context attribute, removes the triple from all contexts.

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

resource(identifier)[source]

Create a new Resource instance.

Parameters:

  • identifier: a URIRef or BNode instance.

Example:

>>> graph = Graph()
>>> uri = URIRef("http://example.org/resource")
>>> resource = graph.resource(uri)
>>> assert isinstance(resource, Resource)
>>> assert resource.identifier is uri
>>> assert resource.graph is graph
Parameters

identifier (Union[Node, str]) –

Return type

Resource

rollback()[source]

Rollback active transactions

Parameters

self (TypeVar(_GraphT, bound= Graph)) –

Return type

TypeVar(_GraphT, bound= Graph)

serialize(destination: None, format: str, base: Optional[str], encoding: str, **args: Any) bytes[source]
serialize(destination: None = None, format: str = 'turtle', base: Optional[str] = None, *, encoding: str, **args: Any) bytes
serialize(destination: None = None, format: str = 'turtle', base: Optional[str] = None, encoding: None = None, **args: Any) str
serialize(destination: Union[str, PurePath, IO[bytes]], format: str = 'turtle', base: Optional[str] = None, encoding: Optional[str] = None, **args: Any) Graph
serialize(destination: Optional[Union[str, PurePath, IO[bytes]]] = None, format: str = 'turtle', base: Optional[str] = None, encoding: Optional[str] = None, **args: Any) Union[bytes, str, Graph]

Serialize the graph.

Parameters
  • destination (Union[str, PurePath, IO[bytes], None]) – The destination to serialize the graph to. This can be a path as a str or PurePath object, or it can be a IO[bytes] like object. If this parameter is not supplied the serialized graph will be returned.

  • format (str) – The format that the output should be written in. This value references a Serializer plugin. Format support can be extended with plugins, but "xml", "n3", "turtle", "nt", "pretty-xml", "trix", "trig", "nquads", "json-ld" and "hext" are built in. Defaults to "turtle".

  • base (Optional[str]) – The base IRI for formats that support it. For the turtle format this will be used as the @base directive.

  • encoding (Optional[str]) – Encoding of output.

  • args (Any) – Additional arguments to pass to the Serializer that will be used.

  • self (TypeVar(_GraphT, bound= Graph)) –

Returns

The serialized graph if destination is None. The serialized graph is returned as str if no encoding is specified, and as bytes if an encoding is specified.

Return type

bytes if destination is None and encoding is not None.

Return type

str if destination is None and encoding is None.

Returns

self (i.e. the Graph instance) if destination is not None.

Return type

Graph if destination is not None.

set(triple)[source]

Convenience method to update the value of object

Remove any existing triples for subject and predicate before adding (subject, predicate, object).

Parameters
Return type

TypeVar(_GraphT, bound= Graph)

skolemize(new_graph=None, bnode=None, authority=None, basepath=None)[source]
Parameters
Return type

Graph

property store: Store
Return type

Store

subject_objects(predicate=None, unique=False)[source]

A generator of (optionally unique) (subject, object) tuples for the given predicate

Parameters
Return type

Generator[Tuple[Node, Node], None, None]

subject_predicates(object=None, unique=False)[source]

A generator of (optionally unique) (subject, predicate) tuples for the given object

Parameters
Return type

Generator[Tuple[Node, Node], None, None]

subjects(predicate=None, object=None, unique=False)[source]

A generator of (optionally unique) subjects with the given predicate and object

Parameters
Return type

Generator[Node, None, None]

toPython()[source]
Parameters

self (TypeVar(_GraphT, bound= Graph)) –

Return type

TypeVar(_GraphT, bound= Graph)

transitiveClosure(func, arg, seen=None)[source]

Generates transitive closure of a user-defined function against the graph

>>> from rdflib.collection import Collection
>>> g=Graph()
>>> a=BNode("foo")
>>> b=BNode("bar")
>>> c=BNode("baz")
>>> g.add((a,RDF.first,RDF.type)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((a,RDF.rest,b)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((b,RDF.first,namespace.RDFS.label)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((b,RDF.rest,c)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((c,RDF.first,namespace.RDFS.comment)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> g.add((c,RDF.rest,RDF.nil)) 
<Graph identifier=... (<class 'rdflib.graph.Graph'>)>
>>> def topList(node,g):
...    for s in g.subjects(RDF.rest, node):
...       yield s
>>> def reverseList(node,g):
...    for f in g.objects(node, RDF.first):
...       print(f)
...    for s in g.subjects(RDF.rest, node):
...       yield s
>>> [rt for rt in g.transitiveClosure(
...     topList,RDF.nil)] 
[rdflib.term.BNode('baz'),
 rdflib.term.BNode('bar'),
 rdflib.term.BNode('foo')]
>>> [rt for rt in g.transitiveClosure(
...     reverseList,RDF.nil)] 
http://www.w3.org/2000/01/rdf-schema#comment
http://www.w3.org/2000/01/rdf-schema#label
http://www.w3.org/1999/02/22-rdf-syntax-ns#type
[rdflib.term.BNode('baz'),
 rdflib.term.BNode('bar'),
 rdflib.term.BNode('foo')]
Parameters
transitive_objects(subject, predicate, remember=None)[source]

Transitively generate objects for the predicate relationship

Generated objects belong to the depth first transitive closure of the predicate relationship starting at subject.

Parameters
Return type

Generator[Optional[Node], None, None]

transitive_subjects(predicate, object, remember=None)[source]

Transitively generate subjects for the predicate relationship

Generated subjects belong to the depth first transitive closure of the predicate relationship starting at object.

Parameters
Return type

Generator[Optional[Node], None, None]

triples(triple: Tuple[Optional[Node], Optional[Node], Optional[Node]]) Generator[Tuple[Node, Node, Node], None, None][source]
triples(triple: Tuple[Optional[Node], Path, Optional[Node]]) Generator[Tuple[Node, Path, Node], None, None]
triples(triple: Tuple[Optional[Node], Optional[Union[Path, Node]], Optional[Node]]) Generator[Union[Tuple[Node, Node, Node], Tuple[Node, Path, Node]], None, None]

Generator over the triple store

Returns triples that match the given triple pattern. If triple pattern does not provide a context, all contexts will be searched.

Parameters

triple (Tuple[Optional[Node], Union[Path, Node, None], Optional[Node]]) –

Return type

Generator[Union[Tuple[Node, Node, Node], Tuple[Node, Path, Node]], None, None]

triples_choices(triple, context=None)[source]
Parameters
Return type

Generator[Tuple[Node, Node, Node], None, None]

update(update_object, processor='sparql', initNs=None, initBindings=None, use_store_provided=True, **kwargs)[source]

Update this graph with the given update query.

Caution

This method can access indirectly requested network endpoints, for example, query processing will attempt to access network endpoints specified in SERVICE directives.

When processing untrusted or potentially malicious queries, measures should be taken to restrict network and file access.

For information on available security measures, see the RDFLib Security Considerations documentation.

Parameters
Return type

None

value(subject: None = None, predicate: None = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#value'), object: Optional[Node] = None, default: Optional[Node] = None, any: bool = True) None[source]
value(subject: Optional[Node] = None, predicate: None = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#value'), object: None = None, default: Optional[Node] = None, any: bool = True) None
value(subject: None = None, predicate: Optional[Node] = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#value'), object: None = None, default: Optional[Node] = None, any: bool = True) None
value(subject: Optional[Node] = None, predicate: Optional[Node] = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#value'), object: Optional[Node] = None, default: Optional[Node] = None, any: bool = True) Optional[Node]

Get a value for a pair of two criteria

Exactly one of subject, predicate, object must be None. Useful if one knows that there may only be one value.

It is one of those situations that occur a lot, hence this ‘macro’ like utility

Parameters: subject, predicate, object – exactly one must be None default – value to be returned if no values found any – if True, return any value in the case there is more than one, else, raise UniquenessError

Parameters
Return type

Optional[Node]

class rdflib.IdentifiedNode(value: str)[source]

Bases: Identifier

An abstract class, primarily defined to identify Nodes that are not Literals.

The name “Identified Node” is not explicitly defined in the RDF specification, but can be drawn from this section: https://www.w3.org/TR/rdf-concepts/#section-URI-Vocabulary

__annotations__ = {}
__dict__ = mappingproxy({'__module__': 'rdflib.term', '__doc__': '\n    An abstract class, primarily defined to identify Nodes that are not Literals.\n\n    The name "Identified Node" is not explicitly defined in the RDF specification, but can be drawn from this section: https://www.w3.org/TR/rdf-concepts/#section-URI-Vocabulary\n    ', '__getnewargs__': <function IdentifiedNode.__getnewargs__>, 'toPython': <function IdentifiedNode.toPython>, '__dict__': <attribute '__dict__' of 'IdentifiedNode' objects>, '__weakref__': <attribute '__weakref__' of 'IdentifiedNode' objects>, '__annotations__': {}})
__getnewargs__()[source]
Return type

Tuple[str]

__module__ = 'rdflib.term'
__weakref__

list of weak references to the object (if defined)

toPython()[source]
Return type

str

class rdflib.Literal(lexical_or_value: Any, lang: Optional[str] = None, datatype: Optional[str] = None, normalize: Optional[bool] = None)[source]

Bases: Identifier

RDF 1.1’s Literals Section: http://www.w3.org/TR/rdf-concepts/#section-Graph-Literal

Literals are used for values such as strings, numbers, and dates.

A literal in an RDF graph consists of two or three elements:

  • a lexical form, being a Unicode string, which SHOULD be in Normal Form C

  • a datatype IRI, being an IRI identifying a datatype that determines how the lexical form maps to a literal value, and

  • if and only if the datatype IRI is http://www.w3.org/1999/02/22-rdf-syntax-ns#langString, a non-empty language tag. The language tag MUST be well-formed according to section 2.2.9 of Tags for identifying languages.

A literal is a language-tagged string if the third element is present. Lexical representations of language tags MAY be converted to lower case. The value space of language tags is always in lower case.

For valid XSD datatypes, the lexical form is optionally normalized at construction time. Default behaviour is set by rdflib.NORMALIZE_LITERALS and can be overridden by the normalize parameter to __new__

Equality and hashing of Literals are done based on the lexical form, i.e.:

>>> from rdflib.namespace import XSD
>>> Literal('01') != Literal('1')  # clear - strings differ
True

but with data-type they get normalized:

>>> Literal('01', datatype=XSD.integer) != Literal('1', datatype=XSD.integer)
False

unless disabled:

>>> Literal('01', datatype=XSD.integer, normalize=False) != Literal('1', datatype=XSD.integer)
True

Value based comparison is possible:

>>> Literal('01', datatype=XSD.integer).eq(Literal('1', datatype=XSD.float))
True

The eq method also provides limited support for basic python types:

>>> Literal(1).eq(1) # fine - int compatible with xsd:integer
True
>>> Literal('a').eq('b') # fine - str compatible with plain-lit
False
>>> Literal('a', datatype=XSD.string).eq('a') # fine - str compatible with xsd:string
True
>>> Literal('a').eq(1) # not fine, int incompatible with plain-lit
NotImplemented

Greater-than/less-than ordering comparisons are also done in value space, when compatible datatypes are used. Incompatible datatypes are ordered by DT, or by lang-tag. For other nodes the ordering is None < BNode < URIRef < Literal

Any comparison with non-rdflib Node are “NotImplemented” In PY3 this is an error.

>>> from rdflib import Literal, XSD
>>> lit2006 = Literal('2006-01-01',datatype=XSD.date)
>>> lit2006.toPython()
datetime.date(2006, 1, 1)
>>> lit2006 < Literal('2007-01-01',datatype=XSD.date)
True
>>> Literal(datetime.utcnow()).datatype
rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#dateTime')
>>> Literal(1) > Literal(2) # by value
False
>>> Literal(1) > Literal(2.0) # by value
False
>>> Literal('1') > Literal(1) # by DT
True
>>> Literal('1') < Literal('1') # by lexical form
False
>>> Literal('a', lang='en') > Literal('a', lang='fr') # by lang-tag
False
>>> Literal(1) > URIRef('foo') # by node-type
True

The > < operators will eat this NotImplemented and throw a TypeError (py3k):

>>> Literal(1).__gt__(2.0)
NotImplemented
__abs__()[source]
>>> abs(Literal(-1))
rdflib.term.Literal(u'1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> from rdflib.namespace import XSD
>>> abs( Literal("-1", datatype=XSD.integer))
rdflib.term.Literal(u'1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> abs(Literal("1"))
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: Not a number; rdflib.term.Literal(u'1')
Return type

Literal

__add__(val)[source]
>>> from rdflib.namespace import XSD
>>> Literal(1) + 1
rdflib.term.Literal(u'2', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> Literal("1") + "1"
rdflib.term.Literal(u'11')

# Handling dateTime/date/time based operations in Literals >>> a = Literal(‘2006-01-01T20:50:00’, datatype=XSD.dateTime) >>> b = Literal(‘P31D’, datatype=XSD.duration) >>> (a + b) rdflib.term.Literal(‘2006-02-01T20:50:00’, datatype=rdflib.term.URIRef(’http://www.w3.org/2001/XMLSchema#dateTime’)) >>> from rdflib.namespace import XSD >>> a = Literal(‘2006-07-01T20:52:00’, datatype=XSD.dateTime) >>> b = Literal(‘P122DT15H58M’, datatype=XSD.duration) >>> (a + b) rdflib.term.Literal(‘2006-11-01T12:50:00’, datatype=rdflib.term.URIRef(’http://www.w3.org/2001/XMLSchema#dateTime’))

Parameters

val (Any) –

Return type

Literal

__annotations__ = {'_datatype': typing.Optional[rdflib.term.URIRef], '_ill_typed': typing.Optional[bool], '_language': typing.Optional[str], '_value': typing.Any}
__bool__()[source]

Is the Literal “True” This is used for if statements, bool(literal), etc.

Return type

bool

__eq__(other)[source]

Literals are only equal to other literals.

“Two literals are equal if and only if all of the following hold: * The strings of the two lexical forms compare equal, character by character. * Either both or neither have language tags. * The language tags, if any, compare equal. * Either both or neither have datatype URIs. * The two datatype URIs, if any, compare equal, character by character.” – 6.5.1 Literal Equality (RDF: Concepts and Abstract Syntax)

>>> Literal("1", datatype=URIRef("foo")) == Literal("1", datatype=URIRef("foo"))
True
>>> Literal("1", datatype=URIRef("foo")) == Literal("1", datatype=URIRef("foo2"))
False
>>> Literal("1", datatype=URIRef("foo")) == Literal("2", datatype=URIRef("foo"))
False
>>> Literal("1", datatype=URIRef("foo")) == "asdf"
False
>>> from rdflib import XSD
>>> Literal('2007-01-01', datatype=XSD.date) == Literal('2007-01-01', datatype=XSD.date)
True
>>> Literal('2007-01-01', datatype=XSD.date) == date(2007, 1, 1)
False
>>> Literal("one", lang="en") == Literal("one", lang="en")
True
>>> Literal("hast", lang='en') == Literal("hast", lang='de')
False
>>> Literal("1", datatype=XSD.integer) == Literal(1)
True
>>> Literal("1", datatype=XSD.integer) == Literal("01", datatype=XSD.integer)
True
Parameters

other (Any) –

Return type

bool

__ge__(other)[source]

Return self>=value.

Parameters

other (Any) –

Return type

bool

__getstate__()[source]
Return type

Tuple[None, Dict[str, Optional[str]]]

__gt__(other)[source]

This implements ordering for Literals, the other comparison methods delegate here

This tries to implement this: http://www.w3.org/TR/sparql11-query/#modOrderBy

In short, Literals with compatible data-types are ordered in value space, i.e. >>> from rdflib import XSD

>>> Literal(1) > Literal(2) # int/int
False
>>> Literal(2.0) > Literal(1) # double/int
True
>>> from decimal import Decimal
>>> Literal(Decimal("3.3")) > Literal(2.0) # decimal/double
True
>>> Literal(Decimal("3.3")) < Literal(4.0) # decimal/double
True
>>> Literal('b') > Literal('a') # plain lit/plain lit
True
>>> Literal('b') > Literal('a', datatype=XSD.string) # plain lit/xsd:str
True

Incompatible datatype mismatches ordered by DT

>>> Literal(1) > Literal("2") # int>string
False

Langtagged literals by lang tag >>> Literal(“a”, lang=”en”) > Literal(“a”, lang=”fr”) False

Parameters

other (Any) –

Return type

bool

__hash__()[source]
>>> from rdflib.namespace import XSD
>>> a = {Literal('1', datatype=XSD.integer):'one'}
>>> Literal('1', datatype=XSD.double) in a
False

“Called for the key object for dictionary operations, and by the built-in function hash(). Should return a 32-bit integer usable as a hash value for dictionary operations. The only required property is that objects which compare equal have the same hash value; it is advised to somehow mix together (e.g., using exclusive or) the hash values for the components of the object that also play a part in comparison of objects.” – 3.4.1 Basic customization (Python)

“Two literals are equal if and only if all of the following hold: * The strings of the two lexical forms compare equal, character by character. * Either both or neither have language tags. * The language tags, if any, compare equal. * Either both or neither have datatype URIs. * The two datatype URIs, if any, compare equal, character by character.” – 6.5.1 Literal Equality (RDF: Concepts and Abstract Syntax)

Return type

int

__invert__()[source]
>>> ~(Literal(-1))
rdflib.term.Literal(u'0', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> from rdflib.namespace import XSD
>>> ~( Literal("-1", datatype=XSD.integer))
rdflib.term.Literal(u'0', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))

Not working:

>>> ~(Literal("1"))
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: Not a number; rdflib.term.Literal(u'1')
Return type

Literal

__le__(other)[source]
>>> from rdflib.namespace import XSD
>>> Literal('2007-01-01T10:00:00', datatype=XSD.dateTime
...     ) <= Literal('2007-01-01T10:00:00', datatype=XSD.dateTime)
True
Parameters

other (Any) –

Return type

bool

__lt__(other)[source]

Return self<value.

Parameters

other (Any) –

Return type

bool

__module__ = 'rdflib.term'
__neg__()[source]
>>> (- Literal(1))
rdflib.term.Literal(u'-1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> (- Literal(10.5))
rdflib.term.Literal(u'-10.5', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#double'))
>>> from rdflib.namespace import XSD
>>> (- Literal("1", datatype=XSD.integer))
rdflib.term.Literal(u'-1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> (- Literal("1"))
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: Not a number; rdflib.term.Literal(u'1')
>>>
Return type

Literal

static __new__(cls, lexical_or_value, lang=None, datatype=None, normalize=None)[source]
Parameters
Return type

Literal

__pos__()[source]
>>> (+ Literal(1))
rdflib.term.Literal(u'1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> (+ Literal(-1))
rdflib.term.Literal(u'-1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> from rdflib.namespace import XSD
>>> (+ Literal("-1", datatype=XSD.integer))
rdflib.term.Literal(u'-1', datatype=rdflib.term.URIRef(u'http://www.w3.org/2001/XMLSchema#integer'))
>>> (+ Literal("1"))
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: Not a number; rdflib.term.Literal(u'1')
Return type

Literal

__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[Literal], Tuple[str, Optional[str], Optional[str]]]

__repr__()[source]

Return repr(self).

Return type

str

__setstate__(arg)[source]
Parameters

arg (Tuple[Any, Dict[str, Any]]) –

Return type

None

__slots__ = ('_language', '_datatype', '_value', '_ill_typed')
__sub__(val)[source]
>>> from rdflib.namespace import XSD
>>> Literal(2) - 1
rdflib.term.Literal('1', datatype=rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#integer'))
>>> Literal(1.1) - 1.0
rdflib.term.Literal('0.10000000000000009', datatype=rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#double'))
>>> Literal(1.1) - 1
rdflib.term.Literal('0.1', datatype=rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#decimal'))
>>> Literal(1.1, datatype=XSD.float) - Literal(1.0, datatype=XSD.float)
rdflib.term.Literal('0.10000000000000009', datatype=rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#float'))
>>> Literal("1.1") - 1.0 
Traceback (most recent call last):
...
TypeError: Not a number; rdflib.term.Literal('1.1')
>>> Literal(1.1, datatype=XSD.integer) - Literal(1.0, datatype=XSD.integer)
rdflib.term.Literal('0.10000000000000009', datatype=rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#integer'))

# Handling dateTime/date/time based operations in Literals >>> a = Literal(‘2006-01-01T20:50:00’, datatype=XSD.dateTime) >>> b = Literal(‘2006-02-01T20:50:00’, datatype=XSD.dateTime) >>> (b - a) rdflib.term.Literal(‘P31D’, datatype=rdflib.term.URIRef(’http://www.w3.org/2001/XMLSchema#duration’)) >>> from rdflib.namespace import XSD >>> a = Literal(‘2006-07-01T20:52:00’, datatype=XSD.dateTime) >>> b = Literal(‘2006-11-01T12:50:00’, datatype=XSD.dateTime) >>> (a - b) rdflib.term.Literal(‘-P122DT15H58M’, datatype=rdflib.term.URIRef(’http://www.w3.org/2001/XMLSchema#duration’)) >>> (b - a) rdflib.term.Literal(‘P122DT15H58M’, datatype=rdflib.term.URIRef(’http://www.w3.org/2001/XMLSchema#duration’))

Parameters

val (Any) –

Return type

Literal

property datatype: Optional[URIRef]
Return type

Optional[URIRef]

eq(other)[source]

Compare the value of this literal with something else

Either, with the value of another literal comparisons are then done in literal “value space”, and according to the rules of XSD subtype-substitution/type-promotion

OR, with a python object:

basestring objects can be compared with plain-literals, or those with datatype xsd:string

bool objects with xsd:boolean

a int, long or float with numeric xsd types

isodate date,time,datetime objects with xsd:date,xsd:time or xsd:datetime

Any other operations returns NotImplemented

Parameters

other (Any) –

Return type

bool

property ill_typed: Optional[bool]

For recognized datatype IRIs, this value will be True if the literal is ill formed, otherwise it will be False. Literal.value (i.e. the literal value) should always be defined if this property is False, but should not be considered reliable if this property is True.

If the literal’s datatype is None or not in the set of recognized datatype IRIs this value will be None.

Return type

Optional[bool]

property language: Optional[str]
Return type

Optional[str]

n3(namespace_manager=None)[source]

Returns a representation in the N3 format.

Examples:

>>> Literal("foo").n3()
u'"foo"'

Strings with newlines or triple-quotes:

>>> Literal("foo\nbar").n3()
u'"""foo\nbar"""'

>>> Literal("''\'").n3()
u'"\'\'\'"'

>>> Literal('"""').n3()
u'"\\"\\"\\""'

Language:

>>> Literal("hello", lang="en").n3()
u'"hello"@en'

Datatypes:

>>> Literal(1).n3()
u'"1"^^<http://www.w3.org/2001/XMLSchema#integer>'

>>> Literal(1.0).n3()
u'"1.0"^^<http://www.w3.org/2001/XMLSchema#double>'

>>> Literal(True).n3()
u'"true"^^<http://www.w3.org/2001/XMLSchema#boolean>'

Datatype and language isn’t allowed (datatype takes precedence):

>>> Literal(1, lang="en").n3()
u'"1"^^<http://www.w3.org/2001/XMLSchema#integer>'

Custom datatype:

>>> footype = URIRef("http://example.org/ns#foo")
>>> Literal("1", datatype=footype).n3()
u'"1"^^<http://example.org/ns#foo>'

Passing a namespace-manager will use it to abbreviate datatype URIs:

>>> from rdflib import Graph
>>> Literal(1).n3(Graph().namespace_manager)
u'"1"^^xsd:integer'
Parameters

namespace_manager (Optional[NamespaceManager]) –

Return type

str

neq(other)[source]

A “semantic”/interpreted not equal function, by default, same as __ne__

Parameters

other (Any) –

Return type

bool

normalize()[source]

Returns a new literal with a normalised lexical representation of this literal >>> from rdflib import XSD >>> Literal(“01”, datatype=XSD.integer, normalize=False).normalize() rdflib.term.Literal(u’1’, datatype=rdflib.term.URIRef(u’http://www.w3.org/2001/XMLSchema#integer’))

Illegal lexical forms for the datatype given are simply passed on >>> Literal(“a”, datatype=XSD.integer, normalize=False) rdflib.term.Literal(u’a’, datatype=rdflib.term.URIRef(u’http://www.w3.org/2001/XMLSchema#integer’))

Return type

Literal

toPython()[source]

Returns an appropriate python datatype derived from this RDF Literal

Return type

Any

property value: Any
Return type

Any

class rdflib.Namespace(value: Union[str, bytes])[source]

Bases: str

Utility class for quickly generating URIRefs with a common prefix

>>> from rdflib.namespace import Namespace
>>> n = Namespace("http://example.org/")
>>> n.Person # as attribute
rdflib.term.URIRef('http://example.org/Person')
>>> n['first-name'] # as item - for things that are not valid python identifiers
rdflib.term.URIRef('http://example.org/first-name')
>>> n.Person in n
True
>>> n2 = Namespace("http://example2.org/")
>>> n.Person in n2
False
__contains__(ref)[source]

Allows to check if a URI is within (starts with) this Namespace.

>>> from rdflib import URIRef
>>> namespace = Namespace('http://example.org/')
>>> uri = URIRef('http://example.org/foo')
>>> uri in namespace
True
>>> person_class = namespace['Person']
>>> person_class in namespace
True
>>> obj = URIRef('http://not.example.org/bar')
>>> obj in namespace
False
Parameters

ref (str) –

Return type

bool

__dict__ = mappingproxy({'__module__': 'rdflib.namespace', '__doc__': '\n    Utility class for quickly generating URIRefs with a common prefix\n\n    >>> from rdflib.namespace import Namespace\n    >>> n = Namespace("http://example.org/")\n    >>> n.Person # as attribute\n    rdflib.term.URIRef(\'http://example.org/Person\')\n    >>> n[\'first-name\'] # as item - for things that are not valid python identifiers\n    rdflib.term.URIRef(\'http://example.org/first-name\')\n    >>> n.Person in n\n    True\n    >>> n2 = Namespace("http://example2.org/")\n    >>> n.Person in n2\n    False\n    ', '__new__': <staticmethod object>, 'title': <property object>, 'term': <function Namespace.term>, '__getitem__': <function Namespace.__getitem__>, '__getattr__': <function Namespace.__getattr__>, '__repr__': <function Namespace.__repr__>, '__contains__': <function Namespace.__contains__>, '__dict__': <attribute '__dict__' of 'Namespace' objects>, '__weakref__': <attribute '__weakref__' of 'Namespace' objects>, '__annotations__': {}})
__getattr__(name)[source]
Parameters

name (str) –

Return type

URIRef

__getitem__(key)[source]

Return self[key].

Parameters

key (str) –

Return type

URIRef

__module__ = 'rdflib.namespace'
static __new__(cls, value)[source]
Parameters

value (Union[str, bytes]) –

Return type

Namespace

__repr__()[source]

Return repr(self).

Return type

str

__weakref__

list of weak references to the object (if defined)

term(name)[source]
Parameters

name (str) –

Return type

URIRef

property title: URIRef

Return a version of the string where each word is titlecased.

More specifically, words start with uppercased characters and all remaining cased characters have lower case.

Return type

URIRef

class rdflib.ODRL2[source]

Bases: DefinedNamespace

ODRL Version 2.2

The ODRL Vocabulary and Expression defines a set of concepts and terms (the vocabulary) and encoding mechanism (the expression) for permissions and obligations statements describing digital content usage based on the ODRL Information Model.

Generated from: https://www.w3.org/ns/odrl/2/ODRL22.ttl Date: 2020-05-26 14:20:02.352356

Action: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Action')
Agreement: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Agreement')
All: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/All')
All2ndConnections: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/All2ndConnections')
AllConnections: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/AllConnections')
AllGroups: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/AllGroups')
Assertion: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Assertion')
Asset: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Asset')
AssetCollection: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/AssetCollection')
AssetScope: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/AssetScope')
ConflictTerm: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/ConflictTerm')
Constraint: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Constraint')
Duty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Duty')
Group: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Group')
Individual: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Individual')
LeftOperand: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/LeftOperand')
LogicalConstraint: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/LogicalConstraint')
Offer: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Offer')
Operator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Operator')
Party: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Party')
PartyCollection: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/PartyCollection')
PartyScope: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/PartyScope')
Permission: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Permission')
Policy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Policy')
Privacy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Privacy')
Prohibition: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Prohibition')
Request: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Request')
RightOperand: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/RightOperand')
Rule: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Rule')
Set: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Set')
Ticket: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Ticket')
UndefinedTerm: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/UndefinedTerm')
absolutePosition: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/absolutePosition')
absoluteSize: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/absoluteSize')
absoluteSpatialPosition: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/absoluteSpatialPosition')
absoluteTemporalPosition: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/absoluteTemporalPosition')
acceptTracking: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/acceptTracking')
action: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/action')
adHocShare: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/adHocShare')
aggregate: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/aggregate')
andSequence: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/andSequence')
annotate: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/annotate')
anonymize: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/anonymize')
append: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/append')
appendTo: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/appendTo')
archive: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/archive')
assignee: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/assignee')
assigneeOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/assigneeOf')
assigner: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/assigner')
assignerOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/assignerOf')
attachPolicy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/attachPolicy')
attachSource: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/attachSource')
attribute: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/attribute')
attributedParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/attributedParty')
attributingParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/attributingParty')
commercialize: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/commercialize')
compensate: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/compensate')
compensatedParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/compensatedParty')
compensatingParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/compensatingParty')
concurrentUse: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/concurrentUse')
conflict: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/conflict')
consentedParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/consentedParty')
consentingParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/consentingParty')
consequence: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/consequence')
constraint: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/constraint')
contractedParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/contractedParty')
contractingParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/contractingParty')
copy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/copy')
core: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/core')
count: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/count')
dataType: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/dataType')
dateTime: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/dateTime')
delayPeriod: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/delayPeriod')
delete: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/delete')
deliveryChannel: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/deliveryChannel')
derive: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/derive')
device: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/device')
digitize: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/digitize')
display: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/display')
distribute: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/distribute')
duty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/duty')
elapsedTime: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/elapsedTime')
ensureExclusivity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/ensureExclusivity')
eq: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/eq')
event: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/event')
execute: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/execute')
export: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/export')
extract: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/extract')
extractChar: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/extractChar')
extractPage: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/extractPage')
extractWord: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/extractWord')
failure: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/failure')
fileFormat: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/fileFormat')
function: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/function')
give: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/give')
grantUse: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/grantUse')
gt: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/gt')
gteq: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/gteq')
hasPart: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/hasPart')
hasPolicy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/hasPolicy')
ignore: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/ignore')
implies: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/implies')
include: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/include')
includedIn: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/includedIn')
index: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/index')
industry: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/industry')
inform: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/inform')
informedParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/informedParty')
informingParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/informingParty')
inheritAllowed: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/inheritAllowed')
inheritFrom: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/inheritFrom')
inheritRelation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/inheritRelation')
install: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/install')
invalid: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/invalid')
isA: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/isA')
isAllOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/isAllOf')
isAnyOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/isAnyOf')
isNoneOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/isNoneOf')
isPartOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/isPartOf')
language: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/language')
lease: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/lease')
leftOperand: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/leftOperand')
lend: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/lend')
license: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/license')
lt: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/lt')
lteq: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/lteq')
media: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/media')
meteredTime: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/meteredTime')
modify: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/modify')
move: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/move')
neq: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/neq')
nextPolicy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/nextPolicy')
obligation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/obligation')
obtainConsent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/obtainConsent')
operand: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/operand')
operator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/operator')
output: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/output')
partOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/partOf')
pay: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/pay')
payAmount: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/payAmount')
payeeParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/payeeParty')
percentage: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/percentage')
perm: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/perm')
permission: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/permission')
play: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/play')
policyUsage: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/policyUsage')
present: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/present')
preview: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/preview')
print: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/print')
product: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/product')
profile: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/profile')
prohibit: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/prohibit')
prohibition: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/prohibition')
proximity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/proximity')
purpose: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/purpose')
read: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/read')
recipient: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/recipient')
refinement: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/refinement')
relation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/relation')
relativePosition: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/relativePosition')
relativeSize: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/relativeSize')
relativeSpatialPosition: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/relativeSpatialPosition')
relativeTemporalPosition: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/relativeTemporalPosition')
remedy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/remedy')
reproduce: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/reproduce')
resolution: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/resolution')
reviewPolicy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/reviewPolicy')
rightOperand: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/rightOperand')
rightOperandReference: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/rightOperandReference')
scope: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/scope')
secondaryUse: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/secondaryUse')
sell: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/sell')
share: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/share')
shareAlike: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/shareAlike')
source: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/source')
spatial: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/spatial')
spatialCoordinates: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/spatialCoordinates')
status: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/status')
stream: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/stream')
support: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/support')
synchronize: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/synchronize')
system: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/system')
systemDevice: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/systemDevice')
target: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/target')
textToSpeech: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/textToSpeech')
timeInterval: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/timeInterval')
timedCount: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/timedCount')
trackedParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/trackedParty')
trackingParty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/trackingParty')
transfer: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/transfer')
transform: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/transform')
translate: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/translate')
uid: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/uid')
undefined: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/undefined')
uninstall: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/uninstall')
unit: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/unit')
unitOfCount: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/unitOfCount')
use: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/use')
version: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/version')
virtualLocation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/virtualLocation')
watermark: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/watermark')
write: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/write')
writeTo: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/writeTo')
xone: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/xone')
class rdflib.ORG[source]

Bases: DefinedNamespace

Core organization ontology

Vocabulary for describing organizational structures, specializable to a broad variety of types of organization.

Generated from: http://www.w3.org/ns/org# Date: 2020-05-26 14:20:02.908408

ChangeEvent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#ChangeEvent')
FormalOrganization: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#FormalOrganization')
Head: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#Head')
Membership: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#Membership')
Organization: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#Organization')
OrganizationalCollaboration: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#OrganizationalCollaboration')
OrganizationalUnit: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#OrganizationalUnit')
Post: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#Post')
Role: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#Role')
Site: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#Site')
basedAt: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#basedAt')
changedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#changedBy')
classification: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#classification')
hasMember: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasMember')
hasMembership: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasMembership')
hasPost: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasPost')
hasPrimarySite: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasPrimarySite')
hasRegisteredSite: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasRegisteredSite')
hasSite: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasSite')
hasSubOrganization: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasSubOrganization')
hasUnit: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasUnit')
headOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#headOf')
heldBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#heldBy')
holds: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#holds')
identifier: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#identifier')
linkedTo: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#linkedTo')
location: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#location')
member: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#member')
memberDuring: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#memberDuring')
memberOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#memberOf')
organization: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#organization')
originalOrganization: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#originalOrganization')
postIn: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#postIn')
purpose: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#purpose')
remuneration: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#remuneration')
reportsTo: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#reportsTo')
resultedFrom: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#resultedFrom')
resultingOrganization: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#resultingOrganization')
role: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#role')
roleProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#roleProperty')
siteAddress: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#siteAddress')
siteOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#siteOf')
subOrganizationOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#subOrganizationOf')
transitiveSubOrganizationOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#transitiveSubOrganizationOf')
unitOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#unitOf')
class rdflib.OWL[source]

Bases: DefinedNamespace

The OWL 2 Schema vocabulary (OWL 2)

This ontology partially describes the built-in classes and properties that together form the basis of the RDF/XML syntax of OWL 2. The content of this ontology is based on Tables 6.1 and 6.2 in Section 6.4 of the OWL 2 RDF-Based Semantics specification, available at http://www.w3.org/TR/owl2-rdf-based- semantics/. Please note that those tables do not include the different annotations (labels, comments and rdfs:isDefinedBy links) used in this file. Also note that the descriptions provided in this ontology do not provide a complete and correct formal description of either the syntax or the semantics of the introduced terms (please see the OWL 2 recommendations for the complete and normative specifications). Furthermore, the information provided by this ontology may be misleading if not used with care. This ontology SHOULD NOT be imported into OWL ontologies. Importing this file into an OWL 2 DL ontology will cause it to become an OWL 2 Full ontology and may have other, unexpected, consequences.

Generated from: http://www.w3.org/2002/07/owl# Date: 2020-05-26 14:20:03.193795

AllDifferent: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#AllDifferent')
AllDisjointClasses: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#AllDisjointClasses')
AllDisjointProperties: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#AllDisjointProperties')
Annotation: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Annotation')
AnnotationProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#AnnotationProperty')
AsymmetricProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#AsymmetricProperty')
Axiom: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Axiom')
Class: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Class')
DataRange: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#DataRange')
DatatypeProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#DatatypeProperty')
DeprecatedClass: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#DeprecatedClass')
DeprecatedProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#DeprecatedProperty')
FunctionalProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#FunctionalProperty')
InverseFunctionalProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#InverseFunctionalProperty')
IrreflexiveProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#IrreflexiveProperty')
NamedIndividual: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#NamedIndividual')
NegativePropertyAssertion: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#NegativePropertyAssertion')
Nothing: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Nothing')
ObjectProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#ObjectProperty')
Ontology: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Ontology')
OntologyProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#OntologyProperty')
ReflexiveProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#ReflexiveProperty')
Restriction: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Restriction')
SymmetricProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#SymmetricProperty')
Thing: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Thing')
TransitiveProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#TransitiveProperty')
allValuesFrom: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#allValuesFrom')
annotatedProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#annotatedProperty')
annotatedSource: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#annotatedSource')
annotatedTarget: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#annotatedTarget')
assertionProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#assertionProperty')
backwardCompatibleWith: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#backwardCompatibleWith')
bottomDataProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#bottomDataProperty')
bottomObjectProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#bottomObjectProperty')
cardinality: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#cardinality')
complementOf: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#complementOf')
datatypeComplementOf: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#datatypeComplementOf')
deprecated: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#deprecated')
differentFrom: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#differentFrom')
disjointUnionOf: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#disjointUnionOf')
disjointWith: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#disjointWith')
distinctMembers: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#distinctMembers')
equivalentClass: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#equivalentClass')
equivalentProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#equivalentProperty')
hasKey: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#hasKey')
hasSelf: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#hasSelf')
hasValue: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#hasValue')
imports: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#imports')
incompatibleWith: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#incompatibleWith')
intersectionOf: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#intersectionOf')
inverseOf: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#inverseOf')
maxCardinality: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#maxCardinality')
maxQualifiedCardinality: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#maxQualifiedCardinality')
members: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#members')
minCardinality: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#minCardinality')
minQualifiedCardinality: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#minQualifiedCardinality')
onClass: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#onClass')
onDataRange: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#onDataRange')
onDatatype: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#onDatatype')
onProperties: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#onProperties')
onProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#onProperty')
oneOf: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#oneOf')
priorVersion: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#priorVersion')
propertyChainAxiom: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#propertyChainAxiom')
propertyDisjointWith: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#propertyDisjointWith')
qualifiedCardinality: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#qualifiedCardinality')
rational: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#rational')
real: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#real')
sameAs: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#sameAs')
someValuesFrom: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#someValuesFrom')
sourceIndividual: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#sourceIndividual')
targetIndividual: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#targetIndividual')
targetValue: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#targetValue')
topDataProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#topDataProperty')
topObjectProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#topObjectProperty')
unionOf: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#unionOf')
versionIRI: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#versionIRI')
versionInfo: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#versionInfo')
withRestrictions: URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#withRestrictions')
class rdflib.PROF[source]

Bases: DefinedNamespace

Profiles Vocabulary

This vocabulary is for describing relationships between standards/specifications, profiles of them and supporting artifacts such as validating resources. This model starts with [http://dublincore.org/2012/06/14/dcterms#Standard](dct:Standard) entities which can either be Base Specifications (a standard not profiling any other Standard) or Profiles (Standards which do profile others). Base Specifications or Profiles can have Resource Descriptors associated with them that defines implementing rules for the it. Resource Descriptors must indicate the role they play (to guide, to validate etc.) and the formalism they adhere to (dct:format) to allow for content negotiation. A vocabulary of Resource Roles are provided alongside this vocabulary but that list is extensible.

Generated from: https://www.w3.org/ns/dx/prof/profilesont.ttl Date: 2020-05-26 14:20:03.542924

Profile: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/Profile')
ResourceDescriptor: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/ResourceDescriptor')
ResourceRole: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/ResourceRole')
hasArtifact: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/hasArtifact')
hasResource: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/hasResource')
hasRole: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/hasRole')
hasToken: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/hasToken')
isInheritedFrom: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/isInheritedFrom')
isProfileOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/isProfileOf')
isTransitiveProfileOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/isTransitiveProfileOf')
class rdflib.PROV[source]

Bases: DefinedNamespace

W3C PROVenance Interchange Ontology (PROV-O)

This document is published by the Provenance Working Group (http://www.w3.org/2011/prov/wiki/Main_Page). If you wish to make comments regarding this document, please send them to public-prov-comments@w3.org (subscribe public-prov-comments-request@w3.org, archives http://lists.w3.org/Archives/Public/public-prov-comments/). All feedback is welcome.

PROV Access and Query Ontology

This document is published by the Provenance Working Group (http://www.w3.org/2011/prov/wiki/Main_Page). If you wish to make comments regarding this document, please send them to public-prov-comments@w3.org (subscribe public-prov-comments-request@w3.org, archives http://lists.w3.org/Archives/Public/public-prov-comments/). All feedback is welcome.

Dublin Core extensions of the W3C PROVenance Interchange Ontology (PROV-O)

This document is published by the Provenance Working Group (http://www.w3.org/2011/prov/wiki/Main_Page). If you wish to make comments regarding this document, please send them to public-prov-comments@w3.org (subscribe public-prov-comments-request@w3.org, archives http://lists.w3.org/Archives/Public/public-prov-comments/). All feedback is welcome.

W3C PROV Linking Across Provenance Bundles Ontology (PROV-LINKS)

This document is published by the Provenance Working Group (http://www.w3.org/2011/prov/wiki/Main_Page). If you wish to make comments regarding this document, please send them to public-prov-comments@w3.org (subscribe public-prov-comments-request@w3.org, archives http://lists.w3.org/Archives/Public/public-prov-comments/ ). All feedback is welcome.

W3C PROVenance Interchange Ontology (PROV-O) Dictionary Extension

This document is published by the Provenance Working Group (http://www.w3.org/2011/prov/wiki/Main_Page). If you wish to make comments regarding this document, please send them to public-prov-comments@w3.org (subscribe public-prov-comments-request@w3.org, archives http://lists.w3.org/Archives/Public/public-prov- comments/). All feedback is welcome.

W3C PROVenance Interchange

This document is published by the Provenance Working Group (http://www.w3.org/2011/prov/wiki/Main_Page). If you wish to make comments regarding this document, please send them to public-prov-comments@w3.org (subscribe public-prov-comments-request@w3.org, archives http://lists.w3.org/ Archives/Public/public-prov-comments/). All feedback is welcome.

Generated from: http://www.w3.org/ns/prov Date: 2020-05-26 14:20:04.650279

Accept: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Accept')
Activity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Activity')
ActivityInfluence: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#ActivityInfluence')
Agent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Agent')
AgentInfluence: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#AgentInfluence')
Association: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Association')
Attribution: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Attribution')
Bundle: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Bundle')
Collection: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Collection')
Communication: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Communication')
Contribute: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Contribute')
Contributor: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Contributor')
Copyright: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Copyright')
Create: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Create')
Creator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Creator')
Delegation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Delegation')
Derivation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Derivation')
Dictionary: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Dictionary')
DirectQueryService: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#DirectQueryService')
EmptyCollection: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#EmptyCollection')
EmptyDictionary: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#EmptyDictionary')
End: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#End')
Entity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Entity')
EntityInfluence: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#EntityInfluence')
Generation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Generation')
Influence: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Influence')
Insertion: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Insertion')
InstantaneousEvent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#InstantaneousEvent')
Invalidation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Invalidation')
KeyEntityPair: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#KeyEntityPair')
Location: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Location')
Modify: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Modify')
Organization: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Organization')
Person: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Person')
Plan: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Plan')
PrimarySource: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#PrimarySource')
Publish: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Publish')
Publisher: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Publisher')
Quotation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Quotation')
Removal: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Removal')
Replace: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Replace')
Revision: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Revision')
RightsAssignment: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#RightsAssignment')
RightsHolder: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#RightsHolder')
Role: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Role')
ServiceDescription: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#ServiceDescription')
SoftwareAgent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#SoftwareAgent')
Start: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Start')
Submit: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Submit')
Usage: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Usage')
actedOnBehalfOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#actedOnBehalfOf')
activity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#activity')
activityOfInfluence: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#activityOfInfluence')
agent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#agent')
agentOfInfluence: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#agentOfInfluence')
alternateOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#alternateOf')
aq: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#aq')
asInBundle: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#asInBundle')
atLocation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#atLocation')
atTime: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#atTime')
category: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#category')
component: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#component')
constraints: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#constraints')
contributed: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#contributed')
definition: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#definition')
derivedByInsertionFrom: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#derivedByInsertionFrom')
derivedByRemovalFrom: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#derivedByRemovalFrom')
describesService: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#describesService')
dictionary: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#dictionary')
dm: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#dm')
editorialNote: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#editorialNote')
editorsDefinition: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#editorsDefinition')
ended: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#ended')
endedAtTime: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#endedAtTime')
entity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#entity')
entityOfInfluence: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#entityOfInfluence')
generalizationOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#generalizationOf')
generated: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#generated')
generatedAsDerivation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#generatedAsDerivation')
generatedAtTime: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#generatedAtTime')
hadActivity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadActivity')
hadDelegate: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadDelegate')
hadDerivation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadDerivation')
hadDictionaryMember: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadDictionaryMember')
hadGeneration: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadGeneration')
hadInfluence: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadInfluence')
hadMember: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadMember')
hadPlan: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadPlan')
hadPrimarySource: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadPrimarySource')
hadRevision: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadRevision')
hadRole: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadRole')
hadUsage: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadUsage')
has_anchor: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#has_anchor')
has_provenance: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#has_provenance')
has_query_service: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#has_query_service')
influenced: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#influenced')
influencer: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#influencer')
informed: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#informed')
insertedKeyEntityPair: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#insertedKeyEntityPair')
invalidated: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#invalidated')
invalidatedAtTime: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#invalidatedAtTime')
inverse: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#inverse')
locationOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#locationOf')
mentionOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#mentionOf')
n: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#n')
order: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#order')
pairEntity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#pairEntity')
pairKey: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#pairKey')
pingback: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#pingback')
provenanceUriTemplate: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#provenanceUriTemplate')
qualifiedAssociation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedAssociation')
qualifiedAssociationOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedAssociationOf')
qualifiedAttribution: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedAttribution')
qualifiedAttributionOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedAttributionOf')
qualifiedCommunication: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedCommunication')
qualifiedCommunicationOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedCommunicationOf')
qualifiedDelegation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedDelegation')
qualifiedDelegationOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedDelegationOf')
qualifiedDerivation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedDerivation')
qualifiedDerivationOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedDerivationOf')
qualifiedEnd: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedEnd')
qualifiedEndOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedEndOf')
qualifiedForm: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedForm')
qualifiedGeneration: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedGeneration')
qualifiedGenerationOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedGenerationOf')
qualifiedInfluence: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedInfluence')
qualifiedInfluenceOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedInfluenceOf')
qualifiedInsertion: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedInsertion')
qualifiedInvalidation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedInvalidation')
qualifiedInvalidationOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedInvalidationOf')
qualifiedPrimarySource: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedPrimarySource')
qualifiedQuotation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedQuotation')
qualifiedQuotationOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedQuotationOf')
qualifiedRemoval: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedRemoval')
qualifiedRevision: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedRevision')
qualifiedSourceOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedSourceOf')
qualifiedStart: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedStart')
qualifiedStartOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedStartOf')
qualifiedUsage: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedUsage')
qualifiedUsingActivity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedUsingActivity')
quotedAs: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#quotedAs')
removedKey: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#removedKey')
revisedEntity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#revisedEntity')
sharesDefinitionWith: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#sharesDefinitionWith')
specializationOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#specializationOf')
started: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#started')
startedAtTime: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#startedAtTime')
todo: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#todo')
unqualifiedForm: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#unqualifiedForm')
used: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#used')
value: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#value')
wasActivityOfInfluence: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasActivityOfInfluence')
wasAssociateFor: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasAssociateFor')
wasAssociatedWith: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasAssociatedWith')
wasAttributedTo: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasAttributedTo')
wasDerivedFrom: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasDerivedFrom')
wasEndedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasEndedBy')
wasGeneratedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasGeneratedBy')
wasInfluencedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasInfluencedBy')
wasInformedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasInformedBy')
wasInvalidatedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasInvalidatedBy')
wasMemberOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasMemberOf')
wasPlanOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasPlanOf')
wasPrimarySourceOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasPrimarySourceOf')
wasQuotedFrom: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasQuotedFrom')
wasRevisionOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasRevisionOf')
wasRoleIn: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasRoleIn')
wasStartedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasStartedBy')
wasUsedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasUsedBy')
wasUsedInDerivation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasUsedInDerivation')
class rdflib.QB[source]

Bases: DefinedNamespace

Vocabulary for multi-dimensional (e.g. statistical) data publishing

This vocabulary allows multi-dimensional data, such as statistics, to be published in RDF. It is based on the core information model from SDMX (and thus also DDI).

Generated from: http://purl.org/linked-data/cube# Date: 2020-05-26 14:20:05.485176

Attachable: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#Attachable')
AttributeProperty: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#AttributeProperty')
CodedProperty: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#CodedProperty')
ComponentProperty: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#ComponentProperty')
ComponentSet: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#ComponentSet')
ComponentSpecification: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#ComponentSpecification')
DataSet: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#DataSet')
DataStructureDefinition: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#DataStructureDefinition')
DimensionProperty: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#DimensionProperty')
HierarchicalCodeList: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#HierarchicalCodeList')
MeasureProperty: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#MeasureProperty')
Observation: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#Observation')
ObservationGroup: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#ObservationGroup')
Slice: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#Slice')
SliceKey: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#SliceKey')
attribute: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#attribute')
codeList: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#codeList')
component: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#component')
componentAttachment: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#componentAttachment')
componentProperty: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#componentProperty')
componentRequired: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#componentRequired')
concept: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#concept')
dataSet: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#dataSet')
dimension: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#dimension')
hierarchyRoot: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#hierarchyRoot')
measure: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#measure')
measureDimension: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#measureDimension')
measureType: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#measureType')
observation: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#observation')
observationGroup: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#observationGroup')
order: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#order')
parentChildProperty: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#parentChildProperty')
slice: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#slice')
sliceKey: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#sliceKey')
sliceStructure: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#sliceStructure')
structure: URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#structure')
class rdflib.RDF[source]

Bases: DefinedNamespace

The RDF Concepts Vocabulary (RDF)

This is the RDF Schema for the RDF vocabulary terms in the RDF Namespace, defined in RDF 1.1 Concepts.

Generated from: http://www.w3.org/1999/02/22-rdf-syntax-ns# Date: 2020-05-26 14:20:05.642859

dc:date “2019-12-16”

Alt: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#Alt')
Bag: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#Bag')
CompoundLiteral: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#CompoundLiteral')
HTML: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#HTML')
JSON: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#JSON')
List: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#List')
PlainLiteral: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#PlainLiteral')
Property: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#Property')
Seq: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#Seq')
Statement: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#Statement')
XMLLiteral: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#XMLLiteral')
direction: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#direction')
first: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#first')
langString: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#langString')
language: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#language')
nil: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#nil')
object: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#object')
predicate: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#predicate')
rest: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#rest')
subject: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#subject')
type: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#type')
value: URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#value')
class rdflib.RDFS[source]

Bases: DefinedNamespace

The RDF Schema vocabulary (RDFS)

Generated from: http://www.w3.org/2000/01/rdf-schema# Date: 2020-05-26 14:20:05.794866

Class: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#Class')
Container: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#Container')
ContainerMembershipProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#ContainerMembershipProperty')
Datatype: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#Datatype')
Literal: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#Literal')
Resource: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#Resource')
comment: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#comment')
domain: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#domain')
isDefinedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#isDefinedBy')
label: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#label')
member: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#member')
range: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#range')
seeAlso: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#seeAlso')
subClassOf: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#subClassOf')
subPropertyOf: URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#subPropertyOf')
class rdflib.SDO[source]

Bases: DefinedNamespace

schema.org namespace elements

3DModel, True, False & yield are not available as they collde with Python terms

Generated from: https://schema.org/version/latest/schemaorg-current-https.jsonld Date: 2021-12-01 By: Nicholas J. Car

AMRadioChannel: URIRef = rdflib.term.URIRef('https://schema.org/AMRadioChannel')
APIReference: URIRef = rdflib.term.URIRef('https://schema.org/APIReference')
Abdomen: URIRef = rdflib.term.URIRef('https://schema.org/Abdomen')
AboutPage: URIRef = rdflib.term.URIRef('https://schema.org/AboutPage')
AcceptAction: URIRef = rdflib.term.URIRef('https://schema.org/AcceptAction')
Accommodation: URIRef = rdflib.term.URIRef('https://schema.org/Accommodation')
AccountingService: URIRef = rdflib.term.URIRef('https://schema.org/AccountingService')
AchieveAction: URIRef = rdflib.term.URIRef('https://schema.org/AchieveAction')
Action: URIRef = rdflib.term.URIRef('https://schema.org/Action')
ActionAccessSpecification: URIRef = rdflib.term.URIRef('https://schema.org/ActionAccessSpecification')
ActionStatusType: URIRef = rdflib.term.URIRef('https://schema.org/ActionStatusType')
ActivateAction: URIRef = rdflib.term.URIRef('https://schema.org/ActivateAction')
ActivationFee: URIRef = rdflib.term.URIRef('https://schema.org/ActivationFee')
ActiveActionStatus: URIRef = rdflib.term.URIRef('https://schema.org/ActiveActionStatus')
ActiveNotRecruiting: URIRef = rdflib.term.URIRef('https://schema.org/ActiveNotRecruiting')
AddAction: URIRef = rdflib.term.URIRef('https://schema.org/AddAction')
AdministrativeArea: URIRef = rdflib.term.URIRef('https://schema.org/AdministrativeArea')
AdultEntertainment: URIRef = rdflib.term.URIRef('https://schema.org/AdultEntertainment')
AdvertiserContentArticle: URIRef = rdflib.term.URIRef('https://schema.org/AdvertiserContentArticle')
AerobicActivity: URIRef = rdflib.term.URIRef('https://schema.org/AerobicActivity')
AggregateOffer: URIRef = rdflib.term.URIRef('https://schema.org/AggregateOffer')
AggregateRating: URIRef = rdflib.term.URIRef('https://schema.org/AggregateRating')
AgreeAction: URIRef = rdflib.term.URIRef('https://schema.org/AgreeAction')
Airline: URIRef = rdflib.term.URIRef('https://schema.org/Airline')
Airport: URIRef = rdflib.term.URIRef('https://schema.org/Airport')
AlbumRelease: URIRef = rdflib.term.URIRef('https://schema.org/AlbumRelease')
AlignmentObject: URIRef = rdflib.term.URIRef('https://schema.org/AlignmentObject')
AllWheelDriveConfiguration: URIRef = rdflib.term.URIRef('https://schema.org/AllWheelDriveConfiguration')
AllergiesHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/AllergiesHealthAspect')
AllocateAction: URIRef = rdflib.term.URIRef('https://schema.org/AllocateAction')
AmpStory: URIRef = rdflib.term.URIRef('https://schema.org/AmpStory')
AmusementPark: URIRef = rdflib.term.URIRef('https://schema.org/AmusementPark')
AnaerobicActivity: URIRef = rdflib.term.URIRef('https://schema.org/AnaerobicActivity')
AnalysisNewsArticle: URIRef = rdflib.term.URIRef('https://schema.org/AnalysisNewsArticle')
AnatomicalStructure: URIRef = rdflib.term.URIRef('https://schema.org/AnatomicalStructure')
AnatomicalSystem: URIRef = rdflib.term.URIRef('https://schema.org/AnatomicalSystem')
Anesthesia: URIRef = rdflib.term.URIRef('https://schema.org/Anesthesia')
AnimalShelter: URIRef = rdflib.term.URIRef('https://schema.org/AnimalShelter')
Answer: URIRef = rdflib.term.URIRef('https://schema.org/Answer')
Apartment: URIRef = rdflib.term.URIRef('https://schema.org/Apartment')
ApartmentComplex: URIRef = rdflib.term.URIRef('https://schema.org/ApartmentComplex')
Appearance: URIRef = rdflib.term.URIRef('https://schema.org/Appearance')
AppendAction: URIRef = rdflib.term.URIRef('https://schema.org/AppendAction')
ApplyAction: URIRef = rdflib.term.URIRef('https://schema.org/ApplyAction')
ApprovedIndication: URIRef = rdflib.term.URIRef('https://schema.org/ApprovedIndication')
Aquarium: URIRef = rdflib.term.URIRef('https://schema.org/Aquarium')
ArchiveComponent: URIRef = rdflib.term.URIRef('https://schema.org/ArchiveComponent')
ArchiveOrganization: URIRef = rdflib.term.URIRef('https://schema.org/ArchiveOrganization')
ArriveAction: URIRef = rdflib.term.URIRef('https://schema.org/ArriveAction')
ArtGallery: URIRef = rdflib.term.URIRef('https://schema.org/ArtGallery')
Artery: URIRef = rdflib.term.URIRef('https://schema.org/Artery')
Article: URIRef = rdflib.term.URIRef('https://schema.org/Article')
AskAction: URIRef = rdflib.term.URIRef('https://schema.org/AskAction')
AskPublicNewsArticle: URIRef = rdflib.term.URIRef('https://schema.org/AskPublicNewsArticle')
AssessAction: URIRef = rdflib.term.URIRef('https://schema.org/AssessAction')
AssignAction: URIRef = rdflib.term.URIRef('https://schema.org/AssignAction')
Atlas: URIRef = rdflib.term.URIRef('https://schema.org/Atlas')
Attorney: URIRef = rdflib.term.URIRef('https://schema.org/Attorney')
Audience: URIRef = rdflib.term.URIRef('https://schema.org/Audience')
AudioObject: URIRef = rdflib.term.URIRef('https://schema.org/AudioObject')
AudioObjectSnapshot: URIRef = rdflib.term.URIRef('https://schema.org/AudioObjectSnapshot')
Audiobook: URIRef = rdflib.term.URIRef('https://schema.org/Audiobook')
AudiobookFormat: URIRef = rdflib.term.URIRef('https://schema.org/AudiobookFormat')
AuthoritativeLegalValue: URIRef = rdflib.term.URIRef('https://schema.org/AuthoritativeLegalValue')
AuthorizeAction: URIRef = rdflib.term.URIRef('https://schema.org/AuthorizeAction')
AutoBodyShop: URIRef = rdflib.term.URIRef('https://schema.org/AutoBodyShop')
AutoDealer: URIRef = rdflib.term.URIRef('https://schema.org/AutoDealer')
AutoPartsStore: URIRef = rdflib.term.URIRef('https://schema.org/AutoPartsStore')
AutoRental: URIRef = rdflib.term.URIRef('https://schema.org/AutoRental')
AutoRepair: URIRef = rdflib.term.URIRef('https://schema.org/AutoRepair')
AutoWash: URIRef = rdflib.term.URIRef('https://schema.org/AutoWash')
AutomatedTeller: URIRef = rdflib.term.URIRef('https://schema.org/AutomatedTeller')
AutomotiveBusiness: URIRef = rdflib.term.URIRef('https://schema.org/AutomotiveBusiness')
Ayurvedic: URIRef = rdflib.term.URIRef('https://schema.org/Ayurvedic')
BackOrder: URIRef = rdflib.term.URIRef('https://schema.org/BackOrder')
BackgroundNewsArticle: URIRef = rdflib.term.URIRef('https://schema.org/BackgroundNewsArticle')
Bacteria: URIRef = rdflib.term.URIRef('https://schema.org/Bacteria')
Bakery: URIRef = rdflib.term.URIRef('https://schema.org/Bakery')
Balance: URIRef = rdflib.term.URIRef('https://schema.org/Balance')
BankAccount: URIRef = rdflib.term.URIRef('https://schema.org/BankAccount')
BankOrCreditUnion: URIRef = rdflib.term.URIRef('https://schema.org/BankOrCreditUnion')
BarOrPub: URIRef = rdflib.term.URIRef('https://schema.org/BarOrPub')
Barcode: URIRef = rdflib.term.URIRef('https://schema.org/Barcode')
BasicIncome: URIRef = rdflib.term.URIRef('https://schema.org/BasicIncome')
Beach: URIRef = rdflib.term.URIRef('https://schema.org/Beach')
BeautySalon: URIRef = rdflib.term.URIRef('https://schema.org/BeautySalon')
BedAndBreakfast: URIRef = rdflib.term.URIRef('https://schema.org/BedAndBreakfast')
BedDetails: URIRef = rdflib.term.URIRef('https://schema.org/BedDetails')
BedType: URIRef = rdflib.term.URIRef('https://schema.org/BedType')
BefriendAction: URIRef = rdflib.term.URIRef('https://schema.org/BefriendAction')
BenefitsHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/BenefitsHealthAspect')
BikeStore: URIRef = rdflib.term.URIRef('https://schema.org/BikeStore')
BioChemEntity: URIRef = rdflib.term.URIRef('https://schema.org/BioChemEntity')
Blog: URIRef = rdflib.term.URIRef('https://schema.org/Blog')
BlogPosting: URIRef = rdflib.term.URIRef('https://schema.org/BlogPosting')
BloodTest: URIRef = rdflib.term.URIRef('https://schema.org/BloodTest')
BoardingPolicyType: URIRef = rdflib.term.URIRef('https://schema.org/BoardingPolicyType')
BoatReservation: URIRef = rdflib.term.URIRef('https://schema.org/BoatReservation')
BoatTerminal: URIRef = rdflib.term.URIRef('https://schema.org/BoatTerminal')
BoatTrip: URIRef = rdflib.term.URIRef('https://schema.org/BoatTrip')
BodyMeasurementArm: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementArm')
BodyMeasurementBust: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementBust')
BodyMeasurementChest: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementChest')
BodyMeasurementFoot: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementFoot')
BodyMeasurementHand: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementHand')
BodyMeasurementHead: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementHead')
BodyMeasurementHeight: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementHeight')
BodyMeasurementHips: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementHips')
BodyMeasurementInsideLeg: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementInsideLeg')
BodyMeasurementNeck: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementNeck')
BodyMeasurementTypeEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementTypeEnumeration')
BodyMeasurementUnderbust: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementUnderbust')
BodyMeasurementWaist: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementWaist')
BodyMeasurementWeight: URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementWeight')
BodyOfWater: URIRef = rdflib.term.URIRef('https://schema.org/BodyOfWater')
Bone: URIRef = rdflib.term.URIRef('https://schema.org/Bone')
Book: URIRef = rdflib.term.URIRef('https://schema.org/Book')
BookFormatType: URIRef = rdflib.term.URIRef('https://schema.org/BookFormatType')
BookSeries: URIRef = rdflib.term.URIRef('https://schema.org/BookSeries')
BookStore: URIRef = rdflib.term.URIRef('https://schema.org/BookStore')
BookmarkAction: URIRef = rdflib.term.URIRef('https://schema.org/BookmarkAction')
Boolean: URIRef = rdflib.term.URIRef('https://schema.org/Boolean')
BorrowAction: URIRef = rdflib.term.URIRef('https://schema.org/BorrowAction')
BowlingAlley: URIRef = rdflib.term.URIRef('https://schema.org/BowlingAlley')
BrainStructure: URIRef = rdflib.term.URIRef('https://schema.org/BrainStructure')
Brand: URIRef = rdflib.term.URIRef('https://schema.org/Brand')
BreadcrumbList: URIRef = rdflib.term.URIRef('https://schema.org/BreadcrumbList')
Brewery: URIRef = rdflib.term.URIRef('https://schema.org/Brewery')
Bridge: URIRef = rdflib.term.URIRef('https://schema.org/Bridge')
BroadcastChannel: URIRef = rdflib.term.URIRef('https://schema.org/BroadcastChannel')
BroadcastEvent: URIRef = rdflib.term.URIRef('https://schema.org/BroadcastEvent')
BroadcastFrequencySpecification: URIRef = rdflib.term.URIRef('https://schema.org/BroadcastFrequencySpecification')
BroadcastRelease: URIRef = rdflib.term.URIRef('https://schema.org/BroadcastRelease')
BroadcastService: URIRef = rdflib.term.URIRef('https://schema.org/BroadcastService')
BrokerageAccount: URIRef = rdflib.term.URIRef('https://schema.org/BrokerageAccount')
BuddhistTemple: URIRef = rdflib.term.URIRef('https://schema.org/BuddhistTemple')
BusOrCoach: URIRef = rdflib.term.URIRef('https://schema.org/BusOrCoach')
BusReservation: URIRef = rdflib.term.URIRef('https://schema.org/BusReservation')
BusStation: URIRef = rdflib.term.URIRef('https://schema.org/BusStation')
BusStop: URIRef = rdflib.term.URIRef('https://schema.org/BusStop')
BusTrip: URIRef = rdflib.term.URIRef('https://schema.org/BusTrip')
BusinessAudience: URIRef = rdflib.term.URIRef('https://schema.org/BusinessAudience')
BusinessEntityType: URIRef = rdflib.term.URIRef('https://schema.org/BusinessEntityType')
BusinessEvent: URIRef = rdflib.term.URIRef('https://schema.org/BusinessEvent')
BusinessFunction: URIRef = rdflib.term.URIRef('https://schema.org/BusinessFunction')
BusinessSupport: URIRef = rdflib.term.URIRef('https://schema.org/BusinessSupport')
BuyAction: URIRef = rdflib.term.URIRef('https://schema.org/BuyAction')
CDCPMDRecord: URIRef = rdflib.term.URIRef('https://schema.org/CDCPMDRecord')
CDFormat: URIRef = rdflib.term.URIRef('https://schema.org/CDFormat')
CT: URIRef = rdflib.term.URIRef('https://schema.org/CT')
CableOrSatelliteService: URIRef = rdflib.term.URIRef('https://schema.org/CableOrSatelliteService')
CafeOrCoffeeShop: URIRef = rdflib.term.URIRef('https://schema.org/CafeOrCoffeeShop')
Campground: URIRef = rdflib.term.URIRef('https://schema.org/Campground')
CampingPitch: URIRef = rdflib.term.URIRef('https://schema.org/CampingPitch')
Canal: URIRef = rdflib.term.URIRef('https://schema.org/Canal')
CancelAction: URIRef = rdflib.term.URIRef('https://schema.org/CancelAction')
Car: URIRef = rdflib.term.URIRef('https://schema.org/Car')
CarUsageType: URIRef = rdflib.term.URIRef('https://schema.org/CarUsageType')
Cardiovascular: URIRef = rdflib.term.URIRef('https://schema.org/Cardiovascular')
CardiovascularExam: URIRef = rdflib.term.URIRef('https://schema.org/CardiovascularExam')
CaseSeries: URIRef = rdflib.term.URIRef('https://schema.org/CaseSeries')
Casino: URIRef = rdflib.term.URIRef('https://schema.org/Casino')
CassetteFormat: URIRef = rdflib.term.URIRef('https://schema.org/CassetteFormat')
CategoryCode: URIRef = rdflib.term.URIRef('https://schema.org/CategoryCode')
CategoryCodeSet: URIRef = rdflib.term.URIRef('https://schema.org/CategoryCodeSet')
CatholicChurch: URIRef = rdflib.term.URIRef('https://schema.org/CatholicChurch')
CausesHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/CausesHealthAspect')
Cemetery: URIRef = rdflib.term.URIRef('https://schema.org/Cemetery')
Chapter: URIRef = rdflib.term.URIRef('https://schema.org/Chapter')
CharitableIncorporatedOrganization: URIRef = rdflib.term.URIRef('https://schema.org/CharitableIncorporatedOrganization')
CheckAction: URIRef = rdflib.term.URIRef('https://schema.org/CheckAction')
CheckInAction: URIRef = rdflib.term.URIRef('https://schema.org/CheckInAction')
CheckOutAction: URIRef = rdflib.term.URIRef('https://schema.org/CheckOutAction')
CheckoutPage: URIRef = rdflib.term.URIRef('https://schema.org/CheckoutPage')
ChemicalSubstance: URIRef = rdflib.term.URIRef('https://schema.org/ChemicalSubstance')
ChildCare: URIRef = rdflib.term.URIRef('https://schema.org/ChildCare')
ChildrensEvent: URIRef = rdflib.term.URIRef('https://schema.org/ChildrensEvent')
Chiropractic: URIRef = rdflib.term.URIRef('https://schema.org/Chiropractic')
ChooseAction: URIRef = rdflib.term.URIRef('https://schema.org/ChooseAction')
Church: URIRef = rdflib.term.URIRef('https://schema.org/Church')
City: URIRef = rdflib.term.URIRef('https://schema.org/City')
CityHall: URIRef = rdflib.term.URIRef('https://schema.org/CityHall')
CivicStructure: URIRef = rdflib.term.URIRef('https://schema.org/CivicStructure')
Claim: URIRef = rdflib.term.URIRef('https://schema.org/Claim')
ClaimReview: URIRef = rdflib.term.URIRef('https://schema.org/ClaimReview')
Class: URIRef = rdflib.term.URIRef('https://schema.org/Class')
CleaningFee: URIRef = rdflib.term.URIRef('https://schema.org/CleaningFee')
Clinician: URIRef = rdflib.term.URIRef('https://schema.org/Clinician')
Clip: URIRef = rdflib.term.URIRef('https://schema.org/Clip')
ClothingStore: URIRef = rdflib.term.URIRef('https://schema.org/ClothingStore')
CoOp: URIRef = rdflib.term.URIRef('https://schema.org/CoOp')
Code: URIRef = rdflib.term.URIRef('https://schema.org/Code')
CohortStudy: URIRef = rdflib.term.URIRef('https://schema.org/CohortStudy')
Collection: URIRef = rdflib.term.URIRef('https://schema.org/Collection')
CollectionPage: URIRef = rdflib.term.URIRef('https://schema.org/CollectionPage')
CollegeOrUniversity: URIRef = rdflib.term.URIRef('https://schema.org/CollegeOrUniversity')
ComedyClub: URIRef = rdflib.term.URIRef('https://schema.org/ComedyClub')
ComedyEvent: URIRef = rdflib.term.URIRef('https://schema.org/ComedyEvent')
ComicCoverArt: URIRef = rdflib.term.URIRef('https://schema.org/ComicCoverArt')
ComicIssue: URIRef = rdflib.term.URIRef('https://schema.org/ComicIssue')
ComicSeries: URIRef = rdflib.term.URIRef('https://schema.org/ComicSeries')
ComicStory: URIRef = rdflib.term.URIRef('https://schema.org/ComicStory')
Comment: URIRef = rdflib.term.URIRef('https://schema.org/Comment')
CommentAction: URIRef = rdflib.term.URIRef('https://schema.org/CommentAction')
CommentPermission: URIRef = rdflib.term.URIRef('https://schema.org/CommentPermission')
CommunicateAction: URIRef = rdflib.term.URIRef('https://schema.org/CommunicateAction')
CommunityHealth: URIRef = rdflib.term.URIRef('https://schema.org/CommunityHealth')
CompilationAlbum: URIRef = rdflib.term.URIRef('https://schema.org/CompilationAlbum')
CompleteDataFeed: URIRef = rdflib.term.URIRef('https://schema.org/CompleteDataFeed')
Completed: URIRef = rdflib.term.URIRef('https://schema.org/Completed')
CompletedActionStatus: URIRef = rdflib.term.URIRef('https://schema.org/CompletedActionStatus')
CompoundPriceSpecification: URIRef = rdflib.term.URIRef('https://schema.org/CompoundPriceSpecification')
ComputerLanguage: URIRef = rdflib.term.URIRef('https://schema.org/ComputerLanguage')
ComputerStore: URIRef = rdflib.term.URIRef('https://schema.org/ComputerStore')
ConfirmAction: URIRef = rdflib.term.URIRef('https://schema.org/ConfirmAction')
Consortium: URIRef = rdflib.term.URIRef('https://schema.org/Consortium')
ConsumeAction: URIRef = rdflib.term.URIRef('https://schema.org/ConsumeAction')
ContactPage: URIRef = rdflib.term.URIRef('https://schema.org/ContactPage')
ContactPoint: URIRef = rdflib.term.URIRef('https://schema.org/ContactPoint')
ContactPointOption: URIRef = rdflib.term.URIRef('https://schema.org/ContactPointOption')
ContagiousnessHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/ContagiousnessHealthAspect')
Continent: URIRef = rdflib.term.URIRef('https://schema.org/Continent')
ControlAction: URIRef = rdflib.term.URIRef('https://schema.org/ControlAction')
ConvenienceStore: URIRef = rdflib.term.URIRef('https://schema.org/ConvenienceStore')
Conversation: URIRef = rdflib.term.URIRef('https://schema.org/Conversation')
CookAction: URIRef = rdflib.term.URIRef('https://schema.org/CookAction')
Corporation: URIRef = rdflib.term.URIRef('https://schema.org/Corporation')
CorrectionComment: URIRef = rdflib.term.URIRef('https://schema.org/CorrectionComment')
Country: URIRef = rdflib.term.URIRef('https://schema.org/Country')
Course: URIRef = rdflib.term.URIRef('https://schema.org/Course')
CourseInstance: URIRef = rdflib.term.URIRef('https://schema.org/CourseInstance')
Courthouse: URIRef = rdflib.term.URIRef('https://schema.org/Courthouse')
CoverArt: URIRef = rdflib.term.URIRef('https://schema.org/CoverArt')
CovidTestingFacility: URIRef = rdflib.term.URIRef('https://schema.org/CovidTestingFacility')
CreateAction: URIRef = rdflib.term.URIRef('https://schema.org/CreateAction')
CreativeWork: URIRef = rdflib.term.URIRef('https://schema.org/CreativeWork')
CreativeWorkSeason: URIRef = rdflib.term.URIRef('https://schema.org/CreativeWorkSeason')
CreativeWorkSeries: URIRef = rdflib.term.URIRef('https://schema.org/CreativeWorkSeries')
CreditCard: URIRef = rdflib.term.URIRef('https://schema.org/CreditCard')
Crematorium: URIRef = rdflib.term.URIRef('https://schema.org/Crematorium')
CriticReview: URIRef = rdflib.term.URIRef('https://schema.org/CriticReview')
CrossSectional: URIRef = rdflib.term.URIRef('https://schema.org/CrossSectional')
CssSelectorType: URIRef = rdflib.term.URIRef('https://schema.org/CssSelectorType')
CurrencyConversionService: URIRef = rdflib.term.URIRef('https://schema.org/CurrencyConversionService')
DDxElement: URIRef = rdflib.term.URIRef('https://schema.org/DDxElement')
DJMixAlbum: URIRef = rdflib.term.URIRef('https://schema.org/DJMixAlbum')
DVDFormat: URIRef = rdflib.term.URIRef('https://schema.org/DVDFormat')
DamagedCondition: URIRef = rdflib.term.URIRef('https://schema.org/DamagedCondition')
DanceEvent: URIRef = rdflib.term.URIRef('https://schema.org/DanceEvent')
DanceGroup: URIRef = rdflib.term.URIRef('https://schema.org/DanceGroup')
DataCatalog: URIRef = rdflib.term.URIRef('https://schema.org/DataCatalog')
DataDownload: URIRef = rdflib.term.URIRef('https://schema.org/DataDownload')
DataFeed: URIRef = rdflib.term.URIRef('https://schema.org/DataFeed')
DataFeedItem: URIRef = rdflib.term.URIRef('https://schema.org/DataFeedItem')
DataType: URIRef = rdflib.term.URIRef('https://schema.org/DataType')
Dataset: URIRef = rdflib.term.URIRef('https://schema.org/Dataset')
Date: URIRef = rdflib.term.URIRef('https://schema.org/Date')
DateTime: URIRef = rdflib.term.URIRef('https://schema.org/DateTime')
DatedMoneySpecification: URIRef = rdflib.term.URIRef('https://schema.org/DatedMoneySpecification')
DayOfWeek: URIRef = rdflib.term.URIRef('https://schema.org/DayOfWeek')
DaySpa: URIRef = rdflib.term.URIRef('https://schema.org/DaySpa')
DeactivateAction: URIRef = rdflib.term.URIRef('https://schema.org/DeactivateAction')
DecontextualizedContent: URIRef = rdflib.term.URIRef('https://schema.org/DecontextualizedContent')
DefenceEstablishment: URIRef = rdflib.term.URIRef('https://schema.org/DefenceEstablishment')
DefinedRegion: URIRef = rdflib.term.URIRef('https://schema.org/DefinedRegion')
DefinedTerm: URIRef = rdflib.term.URIRef('https://schema.org/DefinedTerm')
DefinedTermSet: URIRef = rdflib.term.URIRef('https://schema.org/DefinedTermSet')
DefinitiveLegalValue: URIRef = rdflib.term.URIRef('https://schema.org/DefinitiveLegalValue')
DeleteAction: URIRef = rdflib.term.URIRef('https://schema.org/DeleteAction')
DeliveryChargeSpecification: URIRef = rdflib.term.URIRef('https://schema.org/DeliveryChargeSpecification')
DeliveryEvent: URIRef = rdflib.term.URIRef('https://schema.org/DeliveryEvent')
DeliveryMethod: URIRef = rdflib.term.URIRef('https://schema.org/DeliveryMethod')
DeliveryTimeSettings: URIRef = rdflib.term.URIRef('https://schema.org/DeliveryTimeSettings')
Demand: URIRef = rdflib.term.URIRef('https://schema.org/Demand')
DemoAlbum: URIRef = rdflib.term.URIRef('https://schema.org/DemoAlbum')
Dentist: URIRef = rdflib.term.URIRef('https://schema.org/Dentist')
Dentistry: URIRef = rdflib.term.URIRef('https://schema.org/Dentistry')
DepartAction: URIRef = rdflib.term.URIRef('https://schema.org/DepartAction')
DepartmentStore: URIRef = rdflib.term.URIRef('https://schema.org/DepartmentStore')
DepositAccount: URIRef = rdflib.term.URIRef('https://schema.org/DepositAccount')
Dermatologic: URIRef = rdflib.term.URIRef('https://schema.org/Dermatologic')
Dermatology: URIRef = rdflib.term.URIRef('https://schema.org/Dermatology')
DiabeticDiet: URIRef = rdflib.term.URIRef('https://schema.org/DiabeticDiet')
Diagnostic: URIRef = rdflib.term.URIRef('https://schema.org/Diagnostic')
DiagnosticLab: URIRef = rdflib.term.URIRef('https://schema.org/DiagnosticLab')
DiagnosticProcedure: URIRef = rdflib.term.URIRef('https://schema.org/DiagnosticProcedure')
Diet: URIRef = rdflib.term.URIRef('https://schema.org/Diet')
DietNutrition: URIRef = rdflib.term.URIRef('https://schema.org/DietNutrition')
DietarySupplement: URIRef = rdflib.term.URIRef('https://schema.org/DietarySupplement')
DigitalAudioTapeFormat: URIRef = rdflib.term.URIRef('https://schema.org/DigitalAudioTapeFormat')
DigitalDocument: URIRef = rdflib.term.URIRef('https://schema.org/DigitalDocument')
DigitalDocumentPermission: URIRef = rdflib.term.URIRef('https://schema.org/DigitalDocumentPermission')
DigitalDocumentPermissionType: URIRef = rdflib.term.URIRef('https://schema.org/DigitalDocumentPermissionType')
DigitalFormat: URIRef = rdflib.term.URIRef('https://schema.org/DigitalFormat')
DisabilitySupport: URIRef = rdflib.term.URIRef('https://schema.org/DisabilitySupport')
DisagreeAction: URIRef = rdflib.term.URIRef('https://schema.org/DisagreeAction')
Discontinued: URIRef = rdflib.term.URIRef('https://schema.org/Discontinued')
DiscoverAction: URIRef = rdflib.term.URIRef('https://schema.org/DiscoverAction')
DiscussionForumPosting: URIRef = rdflib.term.URIRef('https://schema.org/DiscussionForumPosting')
DislikeAction: URIRef = rdflib.term.URIRef('https://schema.org/DislikeAction')
Distance: URIRef = rdflib.term.URIRef('https://schema.org/Distance')
DistanceFee: URIRef = rdflib.term.URIRef('https://schema.org/DistanceFee')
Distillery: URIRef = rdflib.term.URIRef('https://schema.org/Distillery')
DonateAction: URIRef = rdflib.term.URIRef('https://schema.org/DonateAction')
DoseSchedule: URIRef = rdflib.term.URIRef('https://schema.org/DoseSchedule')
DoubleBlindedTrial: URIRef = rdflib.term.URIRef('https://schema.org/DoubleBlindedTrial')
DownloadAction: URIRef = rdflib.term.URIRef('https://schema.org/DownloadAction')
Downpayment: URIRef = rdflib.term.URIRef('https://schema.org/Downpayment')
DrawAction: URIRef = rdflib.term.URIRef('https://schema.org/DrawAction')
Drawing: URIRef = rdflib.term.URIRef('https://schema.org/Drawing')
DrinkAction: URIRef = rdflib.term.URIRef('https://schema.org/DrinkAction')
DriveWheelConfigurationValue: URIRef = rdflib.term.URIRef('https://schema.org/DriveWheelConfigurationValue')
DrivingSchoolVehicleUsage: URIRef = rdflib.term.URIRef('https://schema.org/DrivingSchoolVehicleUsage')
Drug: URIRef = rdflib.term.URIRef('https://schema.org/Drug')
DrugClass: URIRef = rdflib.term.URIRef('https://schema.org/DrugClass')
DrugCost: URIRef = rdflib.term.URIRef('https://schema.org/DrugCost')
DrugCostCategory: URIRef = rdflib.term.URIRef('https://schema.org/DrugCostCategory')
DrugLegalStatus: URIRef = rdflib.term.URIRef('https://schema.org/DrugLegalStatus')
DrugPregnancyCategory: URIRef = rdflib.term.URIRef('https://schema.org/DrugPregnancyCategory')
DrugPrescriptionStatus: URIRef = rdflib.term.URIRef('https://schema.org/DrugPrescriptionStatus')
DrugStrength: URIRef = rdflib.term.URIRef('https://schema.org/DrugStrength')
DryCleaningOrLaundry: URIRef = rdflib.term.URIRef('https://schema.org/DryCleaningOrLaundry')
Duration: URIRef = rdflib.term.URIRef('https://schema.org/Duration')
EBook: URIRef = rdflib.term.URIRef('https://schema.org/EBook')
EPRelease: URIRef = rdflib.term.URIRef('https://schema.org/EPRelease')
EUEnergyEfficiencyCategoryA: URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryA')
EUEnergyEfficiencyCategoryA1Plus: URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryA1Plus')
EUEnergyEfficiencyCategoryA2Plus: URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryA2Plus')
EUEnergyEfficiencyCategoryA3Plus: URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryA3Plus')
EUEnergyEfficiencyCategoryB: URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryB')
EUEnergyEfficiencyCategoryC: URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryC')
EUEnergyEfficiencyCategoryD: URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryD')
EUEnergyEfficiencyCategoryE: URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryE')
EUEnergyEfficiencyCategoryF: URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryF')
EUEnergyEfficiencyCategoryG: URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryG')
EUEnergyEfficiencyEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyEnumeration')
Ear: URIRef = rdflib.term.URIRef('https://schema.org/Ear')
EatAction: URIRef = rdflib.term.URIRef('https://schema.org/EatAction')
EditedOrCroppedContent: URIRef = rdflib.term.URIRef('https://schema.org/EditedOrCroppedContent')
EducationEvent: URIRef = rdflib.term.URIRef('https://schema.org/EducationEvent')
EducationalAudience: URIRef = rdflib.term.URIRef('https://schema.org/EducationalAudience')
EducationalOccupationalCredential: URIRef = rdflib.term.URIRef('https://schema.org/EducationalOccupationalCredential')
EducationalOccupationalProgram: URIRef = rdflib.term.URIRef('https://schema.org/EducationalOccupationalProgram')
EducationalOrganization: URIRef = rdflib.term.URIRef('https://schema.org/EducationalOrganization')
EffectivenessHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/EffectivenessHealthAspect')
Electrician: URIRef = rdflib.term.URIRef('https://schema.org/Electrician')
ElectronicsStore: URIRef = rdflib.term.URIRef('https://schema.org/ElectronicsStore')
ElementarySchool: URIRef = rdflib.term.URIRef('https://schema.org/ElementarySchool')
EmailMessage: URIRef = rdflib.term.URIRef('https://schema.org/EmailMessage')
Embassy: URIRef = rdflib.term.URIRef('https://schema.org/Embassy')
Emergency: URIRef = rdflib.term.URIRef('https://schema.org/Emergency')
EmergencyService: URIRef = rdflib.term.URIRef('https://schema.org/EmergencyService')
EmployeeRole: URIRef = rdflib.term.URIRef('https://schema.org/EmployeeRole')
EmployerAggregateRating: URIRef = rdflib.term.URIRef('https://schema.org/EmployerAggregateRating')
EmployerReview: URIRef = rdflib.term.URIRef('https://schema.org/EmployerReview')
EmploymentAgency: URIRef = rdflib.term.URIRef('https://schema.org/EmploymentAgency')
Endocrine: URIRef = rdflib.term.URIRef('https://schema.org/Endocrine')
EndorseAction: URIRef = rdflib.term.URIRef('https://schema.org/EndorseAction')
EndorsementRating: URIRef = rdflib.term.URIRef('https://schema.org/EndorsementRating')
Energy: URIRef = rdflib.term.URIRef('https://schema.org/Energy')
EnergyConsumptionDetails: URIRef = rdflib.term.URIRef('https://schema.org/EnergyConsumptionDetails')
EnergyEfficiencyEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/EnergyEfficiencyEnumeration')
EnergyStarCertified: URIRef = rdflib.term.URIRef('https://schema.org/EnergyStarCertified')
EnergyStarEnergyEfficiencyEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/EnergyStarEnergyEfficiencyEnumeration')
EngineSpecification: URIRef = rdflib.term.URIRef('https://schema.org/EngineSpecification')
EnrollingByInvitation: URIRef = rdflib.term.URIRef('https://schema.org/EnrollingByInvitation')
EntertainmentBusiness: URIRef = rdflib.term.URIRef('https://schema.org/EntertainmentBusiness')
EntryPoint: URIRef = rdflib.term.URIRef('https://schema.org/EntryPoint')
Enumeration: URIRef = rdflib.term.URIRef('https://schema.org/Enumeration')
Episode: URIRef = rdflib.term.URIRef('https://schema.org/Episode')
Event: URIRef = rdflib.term.URIRef('https://schema.org/Event')
EventAttendanceModeEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/EventAttendanceModeEnumeration')
EventCancelled: URIRef = rdflib.term.URIRef('https://schema.org/EventCancelled')
EventMovedOnline: URIRef = rdflib.term.URIRef('https://schema.org/EventMovedOnline')
EventPostponed: URIRef = rdflib.term.URIRef('https://schema.org/EventPostponed')
EventRescheduled: URIRef = rdflib.term.URIRef('https://schema.org/EventRescheduled')
EventReservation: URIRef = rdflib.term.URIRef('https://schema.org/EventReservation')
EventScheduled: URIRef = rdflib.term.URIRef('https://schema.org/EventScheduled')
EventSeries: URIRef = rdflib.term.URIRef('https://schema.org/EventSeries')
EventStatusType: URIRef = rdflib.term.URIRef('https://schema.org/EventStatusType')
EventVenue: URIRef = rdflib.term.URIRef('https://schema.org/EventVenue')
EvidenceLevelA: URIRef = rdflib.term.URIRef('https://schema.org/EvidenceLevelA')
EvidenceLevelB: URIRef = rdflib.term.URIRef('https://schema.org/EvidenceLevelB')
EvidenceLevelC: URIRef = rdflib.term.URIRef('https://schema.org/EvidenceLevelC')
ExchangeRateSpecification: URIRef = rdflib.term.URIRef('https://schema.org/ExchangeRateSpecification')
ExchangeRefund: URIRef = rdflib.term.URIRef('https://schema.org/ExchangeRefund')
ExerciseAction: URIRef = rdflib.term.URIRef('https://schema.org/ExerciseAction')
ExerciseGym: URIRef = rdflib.term.URIRef('https://schema.org/ExerciseGym')
ExercisePlan: URIRef = rdflib.term.URIRef('https://schema.org/ExercisePlan')
ExhibitionEvent: URIRef = rdflib.term.URIRef('https://schema.org/ExhibitionEvent')
Eye: URIRef = rdflib.term.URIRef('https://schema.org/Eye')
FAQPage: URIRef = rdflib.term.URIRef('https://schema.org/FAQPage')
FDAcategoryA: URIRef = rdflib.term.URIRef('https://schema.org/FDAcategoryA')
FDAcategoryB: URIRef = rdflib.term.URIRef('https://schema.org/FDAcategoryB')
FDAcategoryC: URIRef = rdflib.term.URIRef('https://schema.org/FDAcategoryC')
FDAcategoryD: URIRef = rdflib.term.URIRef('https://schema.org/FDAcategoryD')
FDAcategoryX: URIRef = rdflib.term.URIRef('https://schema.org/FDAcategoryX')
FDAnotEvaluated: URIRef = rdflib.term.URIRef('https://schema.org/FDAnotEvaluated')
FMRadioChannel: URIRef = rdflib.term.URIRef('https://schema.org/FMRadioChannel')
FailedActionStatus: URIRef = rdflib.term.URIRef('https://schema.org/FailedActionStatus')
FastFoodRestaurant: URIRef = rdflib.term.URIRef('https://schema.org/FastFoodRestaurant')
Female: URIRef = rdflib.term.URIRef('https://schema.org/Female')
Festival: URIRef = rdflib.term.URIRef('https://schema.org/Festival')
FilmAction: URIRef = rdflib.term.URIRef('https://schema.org/FilmAction')
FinancialProduct: URIRef = rdflib.term.URIRef('https://schema.org/FinancialProduct')
FinancialService: URIRef = rdflib.term.URIRef('https://schema.org/FinancialService')
FindAction: URIRef = rdflib.term.URIRef('https://schema.org/FindAction')
FireStation: URIRef = rdflib.term.URIRef('https://schema.org/FireStation')
Flexibility: URIRef = rdflib.term.URIRef('https://schema.org/Flexibility')
Flight: URIRef = rdflib.term.URIRef('https://schema.org/Flight')
FlightReservation: URIRef = rdflib.term.URIRef('https://schema.org/FlightReservation')
Float: URIRef = rdflib.term.URIRef('https://schema.org/Float')
FloorPlan: URIRef = rdflib.term.URIRef('https://schema.org/FloorPlan')
Florist: URIRef = rdflib.term.URIRef('https://schema.org/Florist')
FollowAction: URIRef = rdflib.term.URIRef('https://schema.org/FollowAction')
FoodEstablishment: URIRef = rdflib.term.URIRef('https://schema.org/FoodEstablishment')
FoodEstablishmentReservation: URIRef = rdflib.term.URIRef('https://schema.org/FoodEstablishmentReservation')
FoodEvent: URIRef = rdflib.term.URIRef('https://schema.org/FoodEvent')
FoodService: URIRef = rdflib.term.URIRef('https://schema.org/FoodService')
FourWheelDriveConfiguration: URIRef = rdflib.term.URIRef('https://schema.org/FourWheelDriveConfiguration')
FreeReturn: URIRef = rdflib.term.URIRef('https://schema.org/FreeReturn')
Friday: URIRef = rdflib.term.URIRef('https://schema.org/Friday')
FrontWheelDriveConfiguration: URIRef = rdflib.term.URIRef('https://schema.org/FrontWheelDriveConfiguration')
FullRefund: URIRef = rdflib.term.URIRef('https://schema.org/FullRefund')
FundingAgency: URIRef = rdflib.term.URIRef('https://schema.org/FundingAgency')
FundingScheme: URIRef = rdflib.term.URIRef('https://schema.org/FundingScheme')
Fungus: URIRef = rdflib.term.URIRef('https://schema.org/Fungus')
FurnitureStore: URIRef = rdflib.term.URIRef('https://schema.org/FurnitureStore')
Game: URIRef = rdflib.term.URIRef('https://schema.org/Game')
GamePlayMode: URIRef = rdflib.term.URIRef('https://schema.org/GamePlayMode')
GameServer: URIRef = rdflib.term.URIRef('https://schema.org/GameServer')
GameServerStatus: URIRef = rdflib.term.URIRef('https://schema.org/GameServerStatus')
GardenStore: URIRef = rdflib.term.URIRef('https://schema.org/GardenStore')
GasStation: URIRef = rdflib.term.URIRef('https://schema.org/GasStation')
Gastroenterologic: URIRef = rdflib.term.URIRef('https://schema.org/Gastroenterologic')
GatedResidenceCommunity: URIRef = rdflib.term.URIRef('https://schema.org/GatedResidenceCommunity')
GenderType: URIRef = rdflib.term.URIRef('https://schema.org/GenderType')
Gene: URIRef = rdflib.term.URIRef('https://schema.org/Gene')
GeneralContractor: URIRef = rdflib.term.URIRef('https://schema.org/GeneralContractor')
Genetic: URIRef = rdflib.term.URIRef('https://schema.org/Genetic')
Genitourinary: URIRef = rdflib.term.URIRef('https://schema.org/Genitourinary')
GeoCircle: URIRef = rdflib.term.URIRef('https://schema.org/GeoCircle')
GeoCoordinates: URIRef = rdflib.term.URIRef('https://schema.org/GeoCoordinates')
GeoShape: URIRef = rdflib.term.URIRef('https://schema.org/GeoShape')
GeospatialGeometry: URIRef = rdflib.term.URIRef('https://schema.org/GeospatialGeometry')
Geriatric: URIRef = rdflib.term.URIRef('https://schema.org/Geriatric')
GettingAccessHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/GettingAccessHealthAspect')
GiveAction: URIRef = rdflib.term.URIRef('https://schema.org/GiveAction')
GlutenFreeDiet: URIRef = rdflib.term.URIRef('https://schema.org/GlutenFreeDiet')
GolfCourse: URIRef = rdflib.term.URIRef('https://schema.org/GolfCourse')
GovernmentBenefitsType: URIRef = rdflib.term.URIRef('https://schema.org/GovernmentBenefitsType')
GovernmentBuilding: URIRef = rdflib.term.URIRef('https://schema.org/GovernmentBuilding')
GovernmentOffice: URIRef = rdflib.term.URIRef('https://schema.org/GovernmentOffice')
GovernmentOrganization: URIRef = rdflib.term.URIRef('https://schema.org/GovernmentOrganization')
GovernmentPermit: URIRef = rdflib.term.URIRef('https://schema.org/GovernmentPermit')
GovernmentService: URIRef = rdflib.term.URIRef('https://schema.org/GovernmentService')
Grant: URIRef = rdflib.term.URIRef('https://schema.org/Grant')
GraphicNovel: URIRef = rdflib.term.URIRef('https://schema.org/GraphicNovel')
GroceryStore: URIRef = rdflib.term.URIRef('https://schema.org/GroceryStore')
GroupBoardingPolicy: URIRef = rdflib.term.URIRef('https://schema.org/GroupBoardingPolicy')
Guide: URIRef = rdflib.term.URIRef('https://schema.org/Guide')
Gynecologic: URIRef = rdflib.term.URIRef('https://schema.org/Gynecologic')
HVACBusiness: URIRef = rdflib.term.URIRef('https://schema.org/HVACBusiness')
Hackathon: URIRef = rdflib.term.URIRef('https://schema.org/Hackathon')
HairSalon: URIRef = rdflib.term.URIRef('https://schema.org/HairSalon')
HalalDiet: URIRef = rdflib.term.URIRef('https://schema.org/HalalDiet')
Hardcover: URIRef = rdflib.term.URIRef('https://schema.org/Hardcover')
HardwareStore: URIRef = rdflib.term.URIRef('https://schema.org/HardwareStore')
Head: URIRef = rdflib.term.URIRef('https://schema.org/Head')
HealthAndBeautyBusiness: URIRef = rdflib.term.URIRef('https://schema.org/HealthAndBeautyBusiness')
HealthAspectEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/HealthAspectEnumeration')
HealthCare: URIRef = rdflib.term.URIRef('https://schema.org/HealthCare')
HealthClub: URIRef = rdflib.term.URIRef('https://schema.org/HealthClub')
HealthInsurancePlan: URIRef = rdflib.term.URIRef('https://schema.org/HealthInsurancePlan')
HealthPlanCostSharingSpecification: URIRef = rdflib.term.URIRef('https://schema.org/HealthPlanCostSharingSpecification')
HealthPlanFormulary: URIRef = rdflib.term.URIRef('https://schema.org/HealthPlanFormulary')
HealthPlanNetwork: URIRef = rdflib.term.URIRef('https://schema.org/HealthPlanNetwork')
HealthTopicContent: URIRef = rdflib.term.URIRef('https://schema.org/HealthTopicContent')
HearingImpairedSupported: URIRef = rdflib.term.URIRef('https://schema.org/HearingImpairedSupported')
Hematologic: URIRef = rdflib.term.URIRef('https://schema.org/Hematologic')
HighSchool: URIRef = rdflib.term.URIRef('https://schema.org/HighSchool')
HinduDiet: URIRef = rdflib.term.URIRef('https://schema.org/HinduDiet')
HinduTemple: URIRef = rdflib.term.URIRef('https://schema.org/HinduTemple')
HobbyShop: URIRef = rdflib.term.URIRef('https://schema.org/HobbyShop')
HomeAndConstructionBusiness: URIRef = rdflib.term.URIRef('https://schema.org/HomeAndConstructionBusiness')
HomeGoodsStore: URIRef = rdflib.term.URIRef('https://schema.org/HomeGoodsStore')
Homeopathic: URIRef = rdflib.term.URIRef('https://schema.org/Homeopathic')
Hospital: URIRef = rdflib.term.URIRef('https://schema.org/Hospital')
Hostel: URIRef = rdflib.term.URIRef('https://schema.org/Hostel')
Hotel: URIRef = rdflib.term.URIRef('https://schema.org/Hotel')
HotelRoom: URIRef = rdflib.term.URIRef('https://schema.org/HotelRoom')
House: URIRef = rdflib.term.URIRef('https://schema.org/House')
HousePainter: URIRef = rdflib.term.URIRef('https://schema.org/HousePainter')
HowItWorksHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/HowItWorksHealthAspect')
HowOrWhereHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/HowOrWhereHealthAspect')
HowTo: URIRef = rdflib.term.URIRef('https://schema.org/HowTo')
HowToDirection: URIRef = rdflib.term.URIRef('https://schema.org/HowToDirection')
HowToItem: URIRef = rdflib.term.URIRef('https://schema.org/HowToItem')
HowToSection: URIRef = rdflib.term.URIRef('https://schema.org/HowToSection')
HowToStep: URIRef = rdflib.term.URIRef('https://schema.org/HowToStep')
HowToSupply: URIRef = rdflib.term.URIRef('https://schema.org/HowToSupply')
HowToTip: URIRef = rdflib.term.URIRef('https://schema.org/HowToTip')
HowToTool: URIRef = rdflib.term.URIRef('https://schema.org/HowToTool')
HyperToc: URIRef = rdflib.term.URIRef('https://schema.org/HyperToc')
HyperTocEntry: URIRef = rdflib.term.URIRef('https://schema.org/HyperTocEntry')
IceCreamShop: URIRef = rdflib.term.URIRef('https://schema.org/IceCreamShop')
IgnoreAction: URIRef = rdflib.term.URIRef('https://schema.org/IgnoreAction')
ImageGallery: URIRef = rdflib.term.URIRef('https://schema.org/ImageGallery')
ImageObject: URIRef = rdflib.term.URIRef('https://schema.org/ImageObject')
ImageObjectSnapshot: URIRef = rdflib.term.URIRef('https://schema.org/ImageObjectSnapshot')
ImagingTest: URIRef = rdflib.term.URIRef('https://schema.org/ImagingTest')
InForce: URIRef = rdflib.term.URIRef('https://schema.org/InForce')
InStock: URIRef = rdflib.term.URIRef('https://schema.org/InStock')
InStoreOnly: URIRef = rdflib.term.URIRef('https://schema.org/InStoreOnly')
IndividualProduct: URIRef = rdflib.term.URIRef('https://schema.org/IndividualProduct')
Infectious: URIRef = rdflib.term.URIRef('https://schema.org/Infectious')
InfectiousAgentClass: URIRef = rdflib.term.URIRef('https://schema.org/InfectiousAgentClass')
InfectiousDisease: URIRef = rdflib.term.URIRef('https://schema.org/InfectiousDisease')
InformAction: URIRef = rdflib.term.URIRef('https://schema.org/InformAction')
IngredientsHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/IngredientsHealthAspect')
InsertAction: URIRef = rdflib.term.URIRef('https://schema.org/InsertAction')
InstallAction: URIRef = rdflib.term.URIRef('https://schema.org/InstallAction')
Installment: URIRef = rdflib.term.URIRef('https://schema.org/Installment')
InsuranceAgency: URIRef = rdflib.term.URIRef('https://schema.org/InsuranceAgency')
Intangible: URIRef = rdflib.term.URIRef('https://schema.org/Intangible')
Integer: URIRef = rdflib.term.URIRef('https://schema.org/Integer')
InteractAction: URIRef = rdflib.term.URIRef('https://schema.org/InteractAction')
InteractionCounter: URIRef = rdflib.term.URIRef('https://schema.org/InteractionCounter')
InternationalTrial: URIRef = rdflib.term.URIRef('https://schema.org/InternationalTrial')
InternetCafe: URIRef = rdflib.term.URIRef('https://schema.org/InternetCafe')
InvestmentFund: URIRef = rdflib.term.URIRef('https://schema.org/InvestmentFund')
InvestmentOrDeposit: URIRef = rdflib.term.URIRef('https://schema.org/InvestmentOrDeposit')
InviteAction: URIRef = rdflib.term.URIRef('https://schema.org/InviteAction')
Invoice: URIRef = rdflib.term.URIRef('https://schema.org/Invoice')
InvoicePrice: URIRef = rdflib.term.URIRef('https://schema.org/InvoicePrice')
ItemAvailability: URIRef = rdflib.term.URIRef('https://schema.org/ItemAvailability')
ItemList: URIRef = rdflib.term.URIRef('https://schema.org/ItemList')
ItemListOrderAscending: URIRef = rdflib.term.URIRef('https://schema.org/ItemListOrderAscending')
ItemListOrderDescending: URIRef = rdflib.term.URIRef('https://schema.org/ItemListOrderDescending')
ItemListOrderType: URIRef = rdflib.term.URIRef('https://schema.org/ItemListOrderType')
ItemListUnordered: URIRef = rdflib.term.URIRef('https://schema.org/ItemListUnordered')
ItemPage: URIRef = rdflib.term.URIRef('https://schema.org/ItemPage')
JewelryStore: URIRef = rdflib.term.URIRef('https://schema.org/JewelryStore')
JobPosting: URIRef = rdflib.term.URIRef('https://schema.org/JobPosting')
JoinAction: URIRef = rdflib.term.URIRef('https://schema.org/JoinAction')
Joint: URIRef = rdflib.term.URIRef('https://schema.org/Joint')
KosherDiet: URIRef = rdflib.term.URIRef('https://schema.org/KosherDiet')
LaboratoryScience: URIRef = rdflib.term.URIRef('https://schema.org/LaboratoryScience')
LakeBodyOfWater: URIRef = rdflib.term.URIRef('https://schema.org/LakeBodyOfWater')
Landform: URIRef = rdflib.term.URIRef('https://schema.org/Landform')
LandmarksOrHistoricalBuildings: URIRef = rdflib.term.URIRef('https://schema.org/LandmarksOrHistoricalBuildings')
Language: URIRef = rdflib.term.URIRef('https://schema.org/Language')
LaserDiscFormat: URIRef = rdflib.term.URIRef('https://schema.org/LaserDiscFormat')
LearningResource: URIRef = rdflib.term.URIRef('https://schema.org/LearningResource')
LeaveAction: URIRef = rdflib.term.URIRef('https://schema.org/LeaveAction')
LeftHandDriving: URIRef = rdflib.term.URIRef('https://schema.org/LeftHandDriving')
LegalForceStatus: URIRef = rdflib.term.URIRef('https://schema.org/LegalForceStatus')
LegalService: URIRef = rdflib.term.URIRef('https://schema.org/LegalService')
LegalValueLevel: URIRef = rdflib.term.URIRef('https://schema.org/LegalValueLevel')
Legislation: URIRef = rdflib.term.URIRef('https://schema.org/Legislation')
LegislationObject: URIRef = rdflib.term.URIRef('https://schema.org/LegislationObject')
LegislativeBuilding: URIRef = rdflib.term.URIRef('https://schema.org/LegislativeBuilding')
LeisureTimeActivity: URIRef = rdflib.term.URIRef('https://schema.org/LeisureTimeActivity')
LendAction: URIRef = rdflib.term.URIRef('https://schema.org/LendAction')
Library: URIRef = rdflib.term.URIRef('https://schema.org/Library')
LibrarySystem: URIRef = rdflib.term.URIRef('https://schema.org/LibrarySystem')
LifestyleModification: URIRef = rdflib.term.URIRef('https://schema.org/LifestyleModification')
Ligament: URIRef = rdflib.term.URIRef('https://schema.org/Ligament')
LikeAction: URIRef = rdflib.term.URIRef('https://schema.org/LikeAction')
LimitedAvailability: URIRef = rdflib.term.URIRef('https://schema.org/LimitedAvailability')
LimitedByGuaranteeCharity: URIRef = rdflib.term.URIRef('https://schema.org/LimitedByGuaranteeCharity')
LinkRole: URIRef = rdflib.term.URIRef('https://schema.org/LinkRole')
LiquorStore: URIRef = rdflib.term.URIRef('https://schema.org/LiquorStore')
ListItem: URIRef = rdflib.term.URIRef('https://schema.org/ListItem')
ListPrice: URIRef = rdflib.term.URIRef('https://schema.org/ListPrice')
ListenAction: URIRef = rdflib.term.URIRef('https://schema.org/ListenAction')
LiteraryEvent: URIRef = rdflib.term.URIRef('https://schema.org/LiteraryEvent')
LiveAlbum: URIRef = rdflib.term.URIRef('https://schema.org/LiveAlbum')
LiveBlogPosting: URIRef = rdflib.term.URIRef('https://schema.org/LiveBlogPosting')
LivingWithHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/LivingWithHealthAspect')
LoanOrCredit: URIRef = rdflib.term.URIRef('https://schema.org/LoanOrCredit')
LocalBusiness: URIRef = rdflib.term.URIRef('https://schema.org/LocalBusiness')
LocationFeatureSpecification: URIRef = rdflib.term.URIRef('https://schema.org/LocationFeatureSpecification')
LockerDelivery: URIRef = rdflib.term.URIRef('https://schema.org/LockerDelivery')
Locksmith: URIRef = rdflib.term.URIRef('https://schema.org/Locksmith')
LodgingBusiness: URIRef = rdflib.term.URIRef('https://schema.org/LodgingBusiness')
LodgingReservation: URIRef = rdflib.term.URIRef('https://schema.org/LodgingReservation')
Longitudinal: URIRef = rdflib.term.URIRef('https://schema.org/Longitudinal')
LoseAction: URIRef = rdflib.term.URIRef('https://schema.org/LoseAction')
LowCalorieDiet: URIRef = rdflib.term.URIRef('https://schema.org/LowCalorieDiet')
LowFatDiet: URIRef = rdflib.term.URIRef('https://schema.org/LowFatDiet')
LowLactoseDiet: URIRef = rdflib.term.URIRef('https://schema.org/LowLactoseDiet')
LowSaltDiet: URIRef = rdflib.term.URIRef('https://schema.org/LowSaltDiet')
Lung: URIRef = rdflib.term.URIRef('https://schema.org/Lung')
LymphaticVessel: URIRef = rdflib.term.URIRef('https://schema.org/LymphaticVessel')
MRI: URIRef = rdflib.term.URIRef('https://schema.org/MRI')
MSRP: URIRef = rdflib.term.URIRef('https://schema.org/MSRP')
Male: URIRef = rdflib.term.URIRef('https://schema.org/Male')
Manuscript: URIRef = rdflib.term.URIRef('https://schema.org/Manuscript')
Map: URIRef = rdflib.term.URIRef('https://schema.org/Map')
MapCategoryType: URIRef = rdflib.term.URIRef('https://schema.org/MapCategoryType')
MarryAction: URIRef = rdflib.term.URIRef('https://schema.org/MarryAction')
Mass: URIRef = rdflib.term.URIRef('https://schema.org/Mass')
MathSolver: URIRef = rdflib.term.URIRef('https://schema.org/MathSolver')
MaximumDoseSchedule: URIRef = rdflib.term.URIRef('https://schema.org/MaximumDoseSchedule')
MayTreatHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/MayTreatHealthAspect')
MeasurementTypeEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/MeasurementTypeEnumeration')
MediaGallery: URIRef = rdflib.term.URIRef('https://schema.org/MediaGallery')
MediaManipulationRatingEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/MediaManipulationRatingEnumeration')
MediaObject: URIRef = rdflib.term.URIRef('https://schema.org/MediaObject')
MediaReview: URIRef = rdflib.term.URIRef('https://schema.org/MediaReview')
MediaReviewItem: URIRef = rdflib.term.URIRef('https://schema.org/MediaReviewItem')
MediaSubscription: URIRef = rdflib.term.URIRef('https://schema.org/MediaSubscription')
MedicalAudience: URIRef = rdflib.term.URIRef('https://schema.org/MedicalAudience')
MedicalAudienceType: URIRef = rdflib.term.URIRef('https://schema.org/MedicalAudienceType')
MedicalBusiness: URIRef = rdflib.term.URIRef('https://schema.org/MedicalBusiness')
MedicalCause: URIRef = rdflib.term.URIRef('https://schema.org/MedicalCause')
MedicalClinic: URIRef = rdflib.term.URIRef('https://schema.org/MedicalClinic')
MedicalCode: URIRef = rdflib.term.URIRef('https://schema.org/MedicalCode')
MedicalCondition: URIRef = rdflib.term.URIRef('https://schema.org/MedicalCondition')
MedicalConditionStage: URIRef = rdflib.term.URIRef('https://schema.org/MedicalConditionStage')
MedicalContraindication: URIRef = rdflib.term.URIRef('https://schema.org/MedicalContraindication')
MedicalDevice: URIRef = rdflib.term.URIRef('https://schema.org/MedicalDevice')
MedicalDevicePurpose: URIRef = rdflib.term.URIRef('https://schema.org/MedicalDevicePurpose')
MedicalEntity: URIRef = rdflib.term.URIRef('https://schema.org/MedicalEntity')
MedicalEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/MedicalEnumeration')
MedicalEvidenceLevel: URIRef = rdflib.term.URIRef('https://schema.org/MedicalEvidenceLevel')
MedicalGuideline: URIRef = rdflib.term.URIRef('https://schema.org/MedicalGuideline')
MedicalGuidelineContraindication: URIRef = rdflib.term.URIRef('https://schema.org/MedicalGuidelineContraindication')
MedicalGuidelineRecommendation: URIRef = rdflib.term.URIRef('https://schema.org/MedicalGuidelineRecommendation')
MedicalImagingTechnique: URIRef = rdflib.term.URIRef('https://schema.org/MedicalImagingTechnique')
MedicalIndication: URIRef = rdflib.term.URIRef('https://schema.org/MedicalIndication')
MedicalIntangible: URIRef = rdflib.term.URIRef('https://schema.org/MedicalIntangible')
MedicalObservationalStudy: URIRef = rdflib.term.URIRef('https://schema.org/MedicalObservationalStudy')
MedicalObservationalStudyDesign: URIRef = rdflib.term.URIRef('https://schema.org/MedicalObservationalStudyDesign')
MedicalOrganization: URIRef = rdflib.term.URIRef('https://schema.org/MedicalOrganization')
MedicalProcedure: URIRef = rdflib.term.URIRef('https://schema.org/MedicalProcedure')
MedicalProcedureType: URIRef = rdflib.term.URIRef('https://schema.org/MedicalProcedureType')
MedicalResearcher: URIRef = rdflib.term.URIRef('https://schema.org/MedicalResearcher')
MedicalRiskCalculator: URIRef = rdflib.term.URIRef('https://schema.org/MedicalRiskCalculator')
MedicalRiskEstimator: URIRef = rdflib.term.URIRef('https://schema.org/MedicalRiskEstimator')
MedicalRiskFactor: URIRef = rdflib.term.URIRef('https://schema.org/MedicalRiskFactor')
MedicalRiskScore: URIRef = rdflib.term.URIRef('https://schema.org/MedicalRiskScore')
MedicalScholarlyArticle: URIRef = rdflib.term.URIRef('https://schema.org/MedicalScholarlyArticle')
MedicalSign: URIRef = rdflib.term.URIRef('https://schema.org/MedicalSign')
MedicalSignOrSymptom: URIRef = rdflib.term.URIRef('https://schema.org/MedicalSignOrSymptom')
MedicalSpecialty: URIRef = rdflib.term.URIRef('https://schema.org/MedicalSpecialty')
MedicalStudy: URIRef = rdflib.term.URIRef('https://schema.org/MedicalStudy')
MedicalStudyStatus: URIRef = rdflib.term.URIRef('https://schema.org/MedicalStudyStatus')
MedicalSymptom: URIRef = rdflib.term.URIRef('https://schema.org/MedicalSymptom')
MedicalTest: URIRef = rdflib.term.URIRef('https://schema.org/MedicalTest')
MedicalTestPanel: URIRef = rdflib.term.URIRef('https://schema.org/MedicalTestPanel')
MedicalTherapy: URIRef = rdflib.term.URIRef('https://schema.org/MedicalTherapy')
MedicalTrial: URIRef = rdflib.term.URIRef('https://schema.org/MedicalTrial')
MedicalTrialDesign: URIRef = rdflib.term.URIRef('https://schema.org/MedicalTrialDesign')
MedicalWebPage: URIRef = rdflib.term.URIRef('https://schema.org/MedicalWebPage')
MedicineSystem: URIRef = rdflib.term.URIRef('https://schema.org/MedicineSystem')
MeetingRoom: URIRef = rdflib.term.URIRef('https://schema.org/MeetingRoom')
MensClothingStore: URIRef = rdflib.term.URIRef('https://schema.org/MensClothingStore')
Menu: URIRef = rdflib.term.URIRef('https://schema.org/Menu')
MenuItem: URIRef = rdflib.term.URIRef('https://schema.org/MenuItem')
MenuSection: URIRef = rdflib.term.URIRef('https://schema.org/MenuSection')
MerchantReturnEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnEnumeration')
MerchantReturnFiniteReturnWindow: URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnFiniteReturnWindow')
MerchantReturnNotPermitted: URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnNotPermitted')
MerchantReturnPolicy: URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnPolicy')
MerchantReturnPolicySeasonalOverride: URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnPolicySeasonalOverride')
MerchantReturnUnlimitedWindow: URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnUnlimitedWindow')
MerchantReturnUnspecified: URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnUnspecified')
Message: URIRef = rdflib.term.URIRef('https://schema.org/Message')
MiddleSchool: URIRef = rdflib.term.URIRef('https://schema.org/MiddleSchool')
Midwifery: URIRef = rdflib.term.URIRef('https://schema.org/Midwifery')
MinimumAdvertisedPrice: URIRef = rdflib.term.URIRef('https://schema.org/MinimumAdvertisedPrice')
MisconceptionsHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/MisconceptionsHealthAspect')
MixedEventAttendanceMode: URIRef = rdflib.term.URIRef('https://schema.org/MixedEventAttendanceMode')
MixtapeAlbum: URIRef = rdflib.term.URIRef('https://schema.org/MixtapeAlbum')
MobileApplication: URIRef = rdflib.term.URIRef('https://schema.org/MobileApplication')
MobilePhoneStore: URIRef = rdflib.term.URIRef('https://schema.org/MobilePhoneStore')
MolecularEntity: URIRef = rdflib.term.URIRef('https://schema.org/MolecularEntity')
Monday: URIRef = rdflib.term.URIRef('https://schema.org/Monday')
MonetaryAmount: URIRef = rdflib.term.URIRef('https://schema.org/MonetaryAmount')
MonetaryAmountDistribution: URIRef = rdflib.term.URIRef('https://schema.org/MonetaryAmountDistribution')
MonetaryGrant: URIRef = rdflib.term.URIRef('https://schema.org/MonetaryGrant')
MoneyTransfer: URIRef = rdflib.term.URIRef('https://schema.org/MoneyTransfer')
MortgageLoan: URIRef = rdflib.term.URIRef('https://schema.org/MortgageLoan')
Mosque: URIRef = rdflib.term.URIRef('https://schema.org/Mosque')
Motel: URIRef = rdflib.term.URIRef('https://schema.org/Motel')
Motorcycle: URIRef = rdflib.term.URIRef('https://schema.org/Motorcycle')
MotorcycleDealer: URIRef = rdflib.term.URIRef('https://schema.org/MotorcycleDealer')
MotorcycleRepair: URIRef = rdflib.term.URIRef('https://schema.org/MotorcycleRepair')
MotorizedBicycle: URIRef = rdflib.term.URIRef('https://schema.org/MotorizedBicycle')
Mountain: URIRef = rdflib.term.URIRef('https://schema.org/Mountain')
MoveAction: URIRef = rdflib.term.URIRef('https://schema.org/MoveAction')
Movie: URIRef = rdflib.term.URIRef('https://schema.org/Movie')
MovieClip: URIRef = rdflib.term.URIRef('https://schema.org/MovieClip')
MovieRentalStore: URIRef = rdflib.term.URIRef('https://schema.org/MovieRentalStore')
MovieSeries: URIRef = rdflib.term.URIRef('https://schema.org/MovieSeries')
MovieTheater: URIRef = rdflib.term.URIRef('https://schema.org/MovieTheater')
MovingCompany: URIRef = rdflib.term.URIRef('https://schema.org/MovingCompany')
MultiCenterTrial: URIRef = rdflib.term.URIRef('https://schema.org/MultiCenterTrial')
MultiPlayer: URIRef = rdflib.term.URIRef('https://schema.org/MultiPlayer')
MulticellularParasite: URIRef = rdflib.term.URIRef('https://schema.org/MulticellularParasite')
Muscle: URIRef = rdflib.term.URIRef('https://schema.org/Muscle')
Musculoskeletal: URIRef = rdflib.term.URIRef('https://schema.org/Musculoskeletal')
MusculoskeletalExam: URIRef = rdflib.term.URIRef('https://schema.org/MusculoskeletalExam')
Museum: URIRef = rdflib.term.URIRef('https://schema.org/Museum')
MusicAlbum: URIRef = rdflib.term.URIRef('https://schema.org/MusicAlbum')
MusicAlbumProductionType: URIRef = rdflib.term.URIRef('https://schema.org/MusicAlbumProductionType')
MusicAlbumReleaseType: URIRef = rdflib.term.URIRef('https://schema.org/MusicAlbumReleaseType')
MusicComposition: URIRef = rdflib.term.URIRef('https://schema.org/MusicComposition')
MusicEvent: URIRef = rdflib.term.URIRef('https://schema.org/MusicEvent')
MusicGroup: URIRef = rdflib.term.URIRef('https://schema.org/MusicGroup')
MusicPlaylist: URIRef = rdflib.term.URIRef('https://schema.org/MusicPlaylist')
MusicRecording: URIRef = rdflib.term.URIRef('https://schema.org/MusicRecording')
MusicRelease: URIRef = rdflib.term.URIRef('https://schema.org/MusicRelease')
MusicReleaseFormatType: URIRef = rdflib.term.URIRef('https://schema.org/MusicReleaseFormatType')
MusicStore: URIRef = rdflib.term.URIRef('https://schema.org/MusicStore')
MusicVenue: URIRef = rdflib.term.URIRef('https://schema.org/MusicVenue')
MusicVideoObject: URIRef = rdflib.term.URIRef('https://schema.org/MusicVideoObject')
NGO: URIRef = rdflib.term.URIRef('https://schema.org/NGO')
NLNonprofitType: URIRef = rdflib.term.URIRef('https://schema.org/NLNonprofitType')
NailSalon: URIRef = rdflib.term.URIRef('https://schema.org/NailSalon')
Neck: URIRef = rdflib.term.URIRef('https://schema.org/Neck')
Nerve: URIRef = rdflib.term.URIRef('https://schema.org/Nerve')
Neuro: URIRef = rdflib.term.URIRef('https://schema.org/Neuro')
Neurologic: URIRef = rdflib.term.URIRef('https://schema.org/Neurologic')
NewCondition: URIRef = rdflib.term.URIRef('https://schema.org/NewCondition')
NewsArticle: URIRef = rdflib.term.URIRef('https://schema.org/NewsArticle')
NewsMediaOrganization: URIRef = rdflib.term.URIRef('https://schema.org/NewsMediaOrganization')
Newspaper: URIRef = rdflib.term.URIRef('https://schema.org/Newspaper')
NightClub: URIRef = rdflib.term.URIRef('https://schema.org/NightClub')
NoninvasiveProcedure: URIRef = rdflib.term.URIRef('https://schema.org/NoninvasiveProcedure')
Nonprofit501a: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501a')
Nonprofit501c1: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c1')
Nonprofit501c10: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c10')
Nonprofit501c11: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c11')
Nonprofit501c12: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c12')
Nonprofit501c13: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c13')
Nonprofit501c14: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c14')
Nonprofit501c15: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c15')
Nonprofit501c16: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c16')
Nonprofit501c17: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c17')
Nonprofit501c18: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c18')
Nonprofit501c19: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c19')
Nonprofit501c2: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c2')
Nonprofit501c20: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c20')
Nonprofit501c21: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c21')
Nonprofit501c22: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c22')
Nonprofit501c23: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c23')
Nonprofit501c24: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c24')
Nonprofit501c25: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c25')
Nonprofit501c26: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c26')
Nonprofit501c27: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c27')
Nonprofit501c28: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c28')
Nonprofit501c3: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c3')
Nonprofit501c4: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c4')
Nonprofit501c5: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c5')
Nonprofit501c6: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c6')
Nonprofit501c7: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c7')
Nonprofit501c8: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c8')
Nonprofit501c9: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c9')
Nonprofit501d: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501d')
Nonprofit501e: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501e')
Nonprofit501f: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501f')
Nonprofit501k: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501k')
Nonprofit501n: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501n')
Nonprofit501q: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501q')
Nonprofit527: URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit527')
NonprofitANBI: URIRef = rdflib.term.URIRef('https://schema.org/NonprofitANBI')
NonprofitSBBI: URIRef = rdflib.term.URIRef('https://schema.org/NonprofitSBBI')
NonprofitType: URIRef = rdflib.term.URIRef('https://schema.org/NonprofitType')
Nose: URIRef = rdflib.term.URIRef('https://schema.org/Nose')
NotInForce: URIRef = rdflib.term.URIRef('https://schema.org/NotInForce')
NotYetRecruiting: URIRef = rdflib.term.URIRef('https://schema.org/NotYetRecruiting')
Notary: URIRef = rdflib.term.URIRef('https://schema.org/Notary')
NoteDigitalDocument: URIRef = rdflib.term.URIRef('https://schema.org/NoteDigitalDocument')
Number: URIRef = rdflib.term.URIRef('https://schema.org/Number')
Nursing: URIRef = rdflib.term.URIRef('https://schema.org/Nursing')
NutritionInformation: URIRef = rdflib.term.URIRef('https://schema.org/NutritionInformation')
OTC: URIRef = rdflib.term.URIRef('https://schema.org/OTC')
Observation: URIRef = rdflib.term.URIRef('https://schema.org/Observation')
Observational: URIRef = rdflib.term.URIRef('https://schema.org/Observational')
Obstetric: URIRef = rdflib.term.URIRef('https://schema.org/Obstetric')
Occupation: URIRef = rdflib.term.URIRef('https://schema.org/Occupation')
OccupationalActivity: URIRef = rdflib.term.URIRef('https://schema.org/OccupationalActivity')
OccupationalExperienceRequirements: URIRef = rdflib.term.URIRef('https://schema.org/OccupationalExperienceRequirements')
OccupationalTherapy: URIRef = rdflib.term.URIRef('https://schema.org/OccupationalTherapy')
OceanBodyOfWater: URIRef = rdflib.term.URIRef('https://schema.org/OceanBodyOfWater')
Offer: URIRef = rdflib.term.URIRef('https://schema.org/Offer')
OfferCatalog: URIRef = rdflib.term.URIRef('https://schema.org/OfferCatalog')
OfferForLease: URIRef = rdflib.term.URIRef('https://schema.org/OfferForLease')
OfferForPurchase: URIRef = rdflib.term.URIRef('https://schema.org/OfferForPurchase')
OfferItemCondition: URIRef = rdflib.term.URIRef('https://schema.org/OfferItemCondition')
OfferShippingDetails: URIRef = rdflib.term.URIRef('https://schema.org/OfferShippingDetails')
OfficeEquipmentStore: URIRef = rdflib.term.URIRef('https://schema.org/OfficeEquipmentStore')
OfficialLegalValue: URIRef = rdflib.term.URIRef('https://schema.org/OfficialLegalValue')
OfflineEventAttendanceMode: URIRef = rdflib.term.URIRef('https://schema.org/OfflineEventAttendanceMode')
OfflinePermanently: URIRef = rdflib.term.URIRef('https://schema.org/OfflinePermanently')
OfflineTemporarily: URIRef = rdflib.term.URIRef('https://schema.org/OfflineTemporarily')
OnDemandEvent: URIRef = rdflib.term.URIRef('https://schema.org/OnDemandEvent')
OnSitePickup: URIRef = rdflib.term.URIRef('https://schema.org/OnSitePickup')
Oncologic: URIRef = rdflib.term.URIRef('https://schema.org/Oncologic')
OneTimePayments: URIRef = rdflib.term.URIRef('https://schema.org/OneTimePayments')
Online: URIRef = rdflib.term.URIRef('https://schema.org/Online')
OnlineEventAttendanceMode: URIRef = rdflib.term.URIRef('https://schema.org/OnlineEventAttendanceMode')
OnlineFull: URIRef = rdflib.term.URIRef('https://schema.org/OnlineFull')
OnlineOnly: URIRef = rdflib.term.URIRef('https://schema.org/OnlineOnly')
OpenTrial: URIRef = rdflib.term.URIRef('https://schema.org/OpenTrial')
OpeningHoursSpecification: URIRef = rdflib.term.URIRef('https://schema.org/OpeningHoursSpecification')
OpinionNewsArticle: URIRef = rdflib.term.URIRef('https://schema.org/OpinionNewsArticle')
Optician: URIRef = rdflib.term.URIRef('https://schema.org/Optician')
Optometric: URIRef = rdflib.term.URIRef('https://schema.org/Optometric')
Order: URIRef = rdflib.term.URIRef('https://schema.org/Order')
OrderAction: URIRef = rdflib.term.URIRef('https://schema.org/OrderAction')
OrderCancelled: URIRef = rdflib.term.URIRef('https://schema.org/OrderCancelled')
OrderDelivered: URIRef = rdflib.term.URIRef('https://schema.org/OrderDelivered')
OrderInTransit: URIRef = rdflib.term.URIRef('https://schema.org/OrderInTransit')
OrderItem: URIRef = rdflib.term.URIRef('https://schema.org/OrderItem')
OrderPaymentDue: URIRef = rdflib.term.URIRef('https://schema.org/OrderPaymentDue')
OrderPickupAvailable: URIRef = rdflib.term.URIRef('https://schema.org/OrderPickupAvailable')
OrderProblem: URIRef = rdflib.term.URIRef('https://schema.org/OrderProblem')
OrderProcessing: URIRef = rdflib.term.URIRef('https://schema.org/OrderProcessing')
OrderReturned: URIRef = rdflib.term.URIRef('https://schema.org/OrderReturned')
OrderStatus: URIRef = rdflib.term.URIRef('https://schema.org/OrderStatus')
Organization: URIRef = rdflib.term.URIRef('https://schema.org/Organization')
OrganizationRole: URIRef = rdflib.term.URIRef('https://schema.org/OrganizationRole')
OrganizeAction: URIRef = rdflib.term.URIRef('https://schema.org/OrganizeAction')
OriginalMediaContent: URIRef = rdflib.term.URIRef('https://schema.org/OriginalMediaContent')
OriginalShippingFees: URIRef = rdflib.term.URIRef('https://schema.org/OriginalShippingFees')
Osteopathic: URIRef = rdflib.term.URIRef('https://schema.org/Osteopathic')
Otolaryngologic: URIRef = rdflib.term.URIRef('https://schema.org/Otolaryngologic')
OutOfStock: URIRef = rdflib.term.URIRef('https://schema.org/OutOfStock')
OutletStore: URIRef = rdflib.term.URIRef('https://schema.org/OutletStore')
OverviewHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/OverviewHealthAspect')
OwnershipInfo: URIRef = rdflib.term.URIRef('https://schema.org/OwnershipInfo')
PET: URIRef = rdflib.term.URIRef('https://schema.org/PET')
PaidLeave: URIRef = rdflib.term.URIRef('https://schema.org/PaidLeave')
PaintAction: URIRef = rdflib.term.URIRef('https://schema.org/PaintAction')
Painting: URIRef = rdflib.term.URIRef('https://schema.org/Painting')
PalliativeProcedure: URIRef = rdflib.term.URIRef('https://schema.org/PalliativeProcedure')
Paperback: URIRef = rdflib.term.URIRef('https://schema.org/Paperback')
ParcelDelivery: URIRef = rdflib.term.URIRef('https://schema.org/ParcelDelivery')
ParcelService: URIRef = rdflib.term.URIRef('https://schema.org/ParcelService')
ParentAudience: URIRef = rdflib.term.URIRef('https://schema.org/ParentAudience')
ParentalSupport: URIRef = rdflib.term.URIRef('https://schema.org/ParentalSupport')
Park: URIRef = rdflib.term.URIRef('https://schema.org/Park')
ParkingFacility: URIRef = rdflib.term.URIRef('https://schema.org/ParkingFacility')
ParkingMap: URIRef = rdflib.term.URIRef('https://schema.org/ParkingMap')
PartiallyInForce: URIRef = rdflib.term.URIRef('https://schema.org/PartiallyInForce')
Pathology: URIRef = rdflib.term.URIRef('https://schema.org/Pathology')
PathologyTest: URIRef = rdflib.term.URIRef('https://schema.org/PathologyTest')
Patient: URIRef = rdflib.term.URIRef('https://schema.org/Patient')
PatientExperienceHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/PatientExperienceHealthAspect')
PawnShop: URIRef = rdflib.term.URIRef('https://schema.org/PawnShop')
PayAction: URIRef = rdflib.term.URIRef('https://schema.org/PayAction')
PaymentAutomaticallyApplied: URIRef = rdflib.term.URIRef('https://schema.org/PaymentAutomaticallyApplied')
PaymentCard: URIRef = rdflib.term.URIRef('https://schema.org/PaymentCard')
PaymentChargeSpecification: URIRef = rdflib.term.URIRef('https://schema.org/PaymentChargeSpecification')
PaymentComplete: URIRef = rdflib.term.URIRef('https://schema.org/PaymentComplete')
PaymentDeclined: URIRef = rdflib.term.URIRef('https://schema.org/PaymentDeclined')
PaymentDue: URIRef = rdflib.term.URIRef('https://schema.org/PaymentDue')
PaymentMethod: URIRef = rdflib.term.URIRef('https://schema.org/PaymentMethod')
PaymentPastDue: URIRef = rdflib.term.URIRef('https://schema.org/PaymentPastDue')
PaymentService: URIRef = rdflib.term.URIRef('https://schema.org/PaymentService')
PaymentStatusType: URIRef = rdflib.term.URIRef('https://schema.org/PaymentStatusType')
Pediatric: URIRef = rdflib.term.URIRef('https://schema.org/Pediatric')
PeopleAudience: URIRef = rdflib.term.URIRef('https://schema.org/PeopleAudience')
PercutaneousProcedure: URIRef = rdflib.term.URIRef('https://schema.org/PercutaneousProcedure')
PerformAction: URIRef = rdflib.term.URIRef('https://schema.org/PerformAction')
PerformanceRole: URIRef = rdflib.term.URIRef('https://schema.org/PerformanceRole')
PerformingArtsTheater: URIRef = rdflib.term.URIRef('https://schema.org/PerformingArtsTheater')
PerformingGroup: URIRef = rdflib.term.URIRef('https://schema.org/PerformingGroup')
Periodical: URIRef = rdflib.term.URIRef('https://schema.org/Periodical')
Permit: URIRef = rdflib.term.URIRef('https://schema.org/Permit')
Person: URIRef = rdflib.term.URIRef('https://schema.org/Person')
PetStore: URIRef = rdflib.term.URIRef('https://schema.org/PetStore')
Pharmacy: URIRef = rdflib.term.URIRef('https://schema.org/Pharmacy')
PharmacySpecialty: URIRef = rdflib.term.URIRef('https://schema.org/PharmacySpecialty')
Photograph: URIRef = rdflib.term.URIRef('https://schema.org/Photograph')
PhotographAction: URIRef = rdflib.term.URIRef('https://schema.org/PhotographAction')
PhysicalActivity: URIRef = rdflib.term.URIRef('https://schema.org/PhysicalActivity')
PhysicalActivityCategory: URIRef = rdflib.term.URIRef('https://schema.org/PhysicalActivityCategory')
PhysicalExam: URIRef = rdflib.term.URIRef('https://schema.org/PhysicalExam')
PhysicalTherapy: URIRef = rdflib.term.URIRef('https://schema.org/PhysicalTherapy')
Physician: URIRef = rdflib.term.URIRef('https://schema.org/Physician')
Physiotherapy: URIRef = rdflib.term.URIRef('https://schema.org/Physiotherapy')
Place: URIRef = rdflib.term.URIRef('https://schema.org/Place')
PlaceOfWorship: URIRef = rdflib.term.URIRef('https://schema.org/PlaceOfWorship')
PlaceboControlledTrial: URIRef = rdflib.term.URIRef('https://schema.org/PlaceboControlledTrial')
PlanAction: URIRef = rdflib.term.URIRef('https://schema.org/PlanAction')
PlasticSurgery: URIRef = rdflib.term.URIRef('https://schema.org/PlasticSurgery')
Play: URIRef = rdflib.term.URIRef('https://schema.org/Play')
PlayAction: URIRef = rdflib.term.URIRef('https://schema.org/PlayAction')
Playground: URIRef = rdflib.term.URIRef('https://schema.org/Playground')
Plumber: URIRef = rdflib.term.URIRef('https://schema.org/Plumber')
PodcastEpisode: URIRef = rdflib.term.URIRef('https://schema.org/PodcastEpisode')
PodcastSeason: URIRef = rdflib.term.URIRef('https://schema.org/PodcastSeason')
PodcastSeries: URIRef = rdflib.term.URIRef('https://schema.org/PodcastSeries')
Podiatric: URIRef = rdflib.term.URIRef('https://schema.org/Podiatric')
PoliceStation: URIRef = rdflib.term.URIRef('https://schema.org/PoliceStation')
Pond: URIRef = rdflib.term.URIRef('https://schema.org/Pond')
PostOffice: URIRef = rdflib.term.URIRef('https://schema.org/PostOffice')
PostalAddress: URIRef = rdflib.term.URIRef('https://schema.org/PostalAddress')
PostalCodeRangeSpecification: URIRef = rdflib.term.URIRef('https://schema.org/PostalCodeRangeSpecification')
Poster: URIRef = rdflib.term.URIRef('https://schema.org/Poster')
PotentialActionStatus: URIRef = rdflib.term.URIRef('https://schema.org/PotentialActionStatus')
PreOrder: URIRef = rdflib.term.URIRef('https://schema.org/PreOrder')
PreOrderAction: URIRef = rdflib.term.URIRef('https://schema.org/PreOrderAction')
PreSale: URIRef = rdflib.term.URIRef('https://schema.org/PreSale')
PregnancyHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/PregnancyHealthAspect')
PrependAction: URIRef = rdflib.term.URIRef('https://schema.org/PrependAction')
Preschool: URIRef = rdflib.term.URIRef('https://schema.org/Preschool')
PrescriptionOnly: URIRef = rdflib.term.URIRef('https://schema.org/PrescriptionOnly')
PresentationDigitalDocument: URIRef = rdflib.term.URIRef('https://schema.org/PresentationDigitalDocument')
PreventionHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/PreventionHealthAspect')
PreventionIndication: URIRef = rdflib.term.URIRef('https://schema.org/PreventionIndication')
PriceComponentTypeEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/PriceComponentTypeEnumeration')
PriceSpecification: URIRef = rdflib.term.URIRef('https://schema.org/PriceSpecification')
PriceTypeEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/PriceTypeEnumeration')
PrimaryCare: URIRef = rdflib.term.URIRef('https://schema.org/PrimaryCare')
Prion: URIRef = rdflib.term.URIRef('https://schema.org/Prion')
Product: URIRef = rdflib.term.URIRef('https://schema.org/Product')
ProductCollection: URIRef = rdflib.term.URIRef('https://schema.org/ProductCollection')
ProductGroup: URIRef = rdflib.term.URIRef('https://schema.org/ProductGroup')
ProductModel: URIRef = rdflib.term.URIRef('https://schema.org/ProductModel')
ProfessionalService: URIRef = rdflib.term.URIRef('https://schema.org/ProfessionalService')
ProfilePage: URIRef = rdflib.term.URIRef('https://schema.org/ProfilePage')
PrognosisHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/PrognosisHealthAspect')
ProgramMembership: URIRef = rdflib.term.URIRef('https://schema.org/ProgramMembership')
Project: URIRef = rdflib.term.URIRef('https://schema.org/Project')
PronounceableText: URIRef = rdflib.term.URIRef('https://schema.org/PronounceableText')
Property: URIRef = rdflib.term.URIRef('https://schema.org/Property')
PropertyValue: URIRef = rdflib.term.URIRef('https://schema.org/PropertyValue')
PropertyValueSpecification: URIRef = rdflib.term.URIRef('https://schema.org/PropertyValueSpecification')
Protein: URIRef = rdflib.term.URIRef('https://schema.org/Protein')
Protozoa: URIRef = rdflib.term.URIRef('https://schema.org/Protozoa')
Psychiatric: URIRef = rdflib.term.URIRef('https://schema.org/Psychiatric')
PsychologicalTreatment: URIRef = rdflib.term.URIRef('https://schema.org/PsychologicalTreatment')
PublicHealth: URIRef = rdflib.term.URIRef('https://schema.org/PublicHealth')
PublicHolidays: URIRef = rdflib.term.URIRef('https://schema.org/PublicHolidays')
PublicSwimmingPool: URIRef = rdflib.term.URIRef('https://schema.org/PublicSwimmingPool')
PublicToilet: URIRef = rdflib.term.URIRef('https://schema.org/PublicToilet')
PublicationEvent: URIRef = rdflib.term.URIRef('https://schema.org/PublicationEvent')
PublicationIssue: URIRef = rdflib.term.URIRef('https://schema.org/PublicationIssue')
PublicationVolume: URIRef = rdflib.term.URIRef('https://schema.org/PublicationVolume')
Pulmonary: URIRef = rdflib.term.URIRef('https://schema.org/Pulmonary')
QAPage: URIRef = rdflib.term.URIRef('https://schema.org/QAPage')
QualitativeValue: URIRef = rdflib.term.URIRef('https://schema.org/QualitativeValue')
QuantitativeValue: URIRef = rdflib.term.URIRef('https://schema.org/QuantitativeValue')
QuantitativeValueDistribution: URIRef = rdflib.term.URIRef('https://schema.org/QuantitativeValueDistribution')
Quantity: URIRef = rdflib.term.URIRef('https://schema.org/Quantity')
Question: URIRef = rdflib.term.URIRef('https://schema.org/Question')
Quiz: URIRef = rdflib.term.URIRef('https://schema.org/Quiz')
Quotation: URIRef = rdflib.term.URIRef('https://schema.org/Quotation')
QuoteAction: URIRef = rdflib.term.URIRef('https://schema.org/QuoteAction')
RVPark: URIRef = rdflib.term.URIRef('https://schema.org/RVPark')
RadiationTherapy: URIRef = rdflib.term.URIRef('https://schema.org/RadiationTherapy')
RadioBroadcastService: URIRef = rdflib.term.URIRef('https://schema.org/RadioBroadcastService')
RadioChannel: URIRef = rdflib.term.URIRef('https://schema.org/RadioChannel')
RadioClip: URIRef = rdflib.term.URIRef('https://schema.org/RadioClip')
RadioEpisode: URIRef = rdflib.term.URIRef('https://schema.org/RadioEpisode')
RadioSeason: URIRef = rdflib.term.URIRef('https://schema.org/RadioSeason')
RadioSeries: URIRef = rdflib.term.URIRef('https://schema.org/RadioSeries')
RadioStation: URIRef = rdflib.term.URIRef('https://schema.org/RadioStation')
Radiography: URIRef = rdflib.term.URIRef('https://schema.org/Radiography')
RandomizedTrial: URIRef = rdflib.term.URIRef('https://schema.org/RandomizedTrial')
Rating: URIRef = rdflib.term.URIRef('https://schema.org/Rating')
ReactAction: URIRef = rdflib.term.URIRef('https://schema.org/ReactAction')
ReadAction: URIRef = rdflib.term.URIRef('https://schema.org/ReadAction')
ReadPermission: URIRef = rdflib.term.URIRef('https://schema.org/ReadPermission')
RealEstateAgent: URIRef = rdflib.term.URIRef('https://schema.org/RealEstateAgent')
RealEstateListing: URIRef = rdflib.term.URIRef('https://schema.org/RealEstateListing')
RearWheelDriveConfiguration: URIRef = rdflib.term.URIRef('https://schema.org/RearWheelDriveConfiguration')
ReceiveAction: URIRef = rdflib.term.URIRef('https://schema.org/ReceiveAction')
Recipe: URIRef = rdflib.term.URIRef('https://schema.org/Recipe')
Recommendation: URIRef = rdflib.term.URIRef('https://schema.org/Recommendation')
RecommendedDoseSchedule: URIRef = rdflib.term.URIRef('https://schema.org/RecommendedDoseSchedule')
Recruiting: URIRef = rdflib.term.URIRef('https://schema.org/Recruiting')
RecyclingCenter: URIRef = rdflib.term.URIRef('https://schema.org/RecyclingCenter')
RefundTypeEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/RefundTypeEnumeration')
RefurbishedCondition: URIRef = rdflib.term.URIRef('https://schema.org/RefurbishedCondition')
RegisterAction: URIRef = rdflib.term.URIRef('https://schema.org/RegisterAction')
Registry: URIRef = rdflib.term.URIRef('https://schema.org/Registry')
ReimbursementCap: URIRef = rdflib.term.URIRef('https://schema.org/ReimbursementCap')
RejectAction: URIRef = rdflib.term.URIRef('https://schema.org/RejectAction')
RelatedTopicsHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/RelatedTopicsHealthAspect')
RemixAlbum: URIRef = rdflib.term.URIRef('https://schema.org/RemixAlbum')
Renal: URIRef = rdflib.term.URIRef('https://schema.org/Renal')
RentAction: URIRef = rdflib.term.URIRef('https://schema.org/RentAction')
RentalCarReservation: URIRef = rdflib.term.URIRef('https://schema.org/RentalCarReservation')
RentalVehicleUsage: URIRef = rdflib.term.URIRef('https://schema.org/RentalVehicleUsage')
RepaymentSpecification: URIRef = rdflib.term.URIRef('https://schema.org/RepaymentSpecification')
ReplaceAction: URIRef = rdflib.term.URIRef('https://schema.org/ReplaceAction')
ReplyAction: URIRef = rdflib.term.URIRef('https://schema.org/ReplyAction')
Report: URIRef = rdflib.term.URIRef('https://schema.org/Report')
ReportageNewsArticle: URIRef = rdflib.term.URIRef('https://schema.org/ReportageNewsArticle')
ReportedDoseSchedule: URIRef = rdflib.term.URIRef('https://schema.org/ReportedDoseSchedule')
ResearchOrganization: URIRef = rdflib.term.URIRef('https://schema.org/ResearchOrganization')
ResearchProject: URIRef = rdflib.term.URIRef('https://schema.org/ResearchProject')
Researcher: URIRef = rdflib.term.URIRef('https://schema.org/Researcher')
Reservation: URIRef = rdflib.term.URIRef('https://schema.org/Reservation')
ReservationCancelled: URIRef = rdflib.term.URIRef('https://schema.org/ReservationCancelled')
ReservationConfirmed: URIRef = rdflib.term.URIRef('https://schema.org/ReservationConfirmed')
ReservationHold: URIRef = rdflib.term.URIRef('https://schema.org/ReservationHold')
ReservationPackage: URIRef = rdflib.term.URIRef('https://schema.org/ReservationPackage')
ReservationPending: URIRef = rdflib.term.URIRef('https://schema.org/ReservationPending')
ReservationStatusType: URIRef = rdflib.term.URIRef('https://schema.org/ReservationStatusType')
ReserveAction: URIRef = rdflib.term.URIRef('https://schema.org/ReserveAction')
Reservoir: URIRef = rdflib.term.URIRef('https://schema.org/Reservoir')
Residence: URIRef = rdflib.term.URIRef('https://schema.org/Residence')
Resort: URIRef = rdflib.term.URIRef('https://schema.org/Resort')
RespiratoryTherapy: URIRef = rdflib.term.URIRef('https://schema.org/RespiratoryTherapy')
Restaurant: URIRef = rdflib.term.URIRef('https://schema.org/Restaurant')
RestockingFees: URIRef = rdflib.term.URIRef('https://schema.org/RestockingFees')
RestrictedDiet: URIRef = rdflib.term.URIRef('https://schema.org/RestrictedDiet')
ResultsAvailable: URIRef = rdflib.term.URIRef('https://schema.org/ResultsAvailable')
ResultsNotAvailable: URIRef = rdflib.term.URIRef('https://schema.org/ResultsNotAvailable')
ResumeAction: URIRef = rdflib.term.URIRef('https://schema.org/ResumeAction')
Retail: URIRef = rdflib.term.URIRef('https://schema.org/Retail')
ReturnAction: URIRef = rdflib.term.URIRef('https://schema.org/ReturnAction')
ReturnAtKiosk: URIRef = rdflib.term.URIRef('https://schema.org/ReturnAtKiosk')
ReturnByMail: URIRef = rdflib.term.URIRef('https://schema.org/ReturnByMail')
ReturnFeesCustomerResponsibility: URIRef = rdflib.term.URIRef('https://schema.org/ReturnFeesCustomerResponsibility')
ReturnFeesEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/ReturnFeesEnumeration')
ReturnInStore: URIRef = rdflib.term.URIRef('https://schema.org/ReturnInStore')
ReturnLabelCustomerResponsibility: URIRef = rdflib.term.URIRef('https://schema.org/ReturnLabelCustomerResponsibility')
ReturnLabelDownloadAndPrint: URIRef = rdflib.term.URIRef('https://schema.org/ReturnLabelDownloadAndPrint')
ReturnLabelInBox: URIRef = rdflib.term.URIRef('https://schema.org/ReturnLabelInBox')
ReturnLabelSourceEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/ReturnLabelSourceEnumeration')
ReturnMethodEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/ReturnMethodEnumeration')
ReturnShippingFees: URIRef = rdflib.term.URIRef('https://schema.org/ReturnShippingFees')
Review: URIRef = rdflib.term.URIRef('https://schema.org/Review')
ReviewAction: URIRef = rdflib.term.URIRef('https://schema.org/ReviewAction')
ReviewNewsArticle: URIRef = rdflib.term.URIRef('https://schema.org/ReviewNewsArticle')
Rheumatologic: URIRef = rdflib.term.URIRef('https://schema.org/Rheumatologic')
RightHandDriving: URIRef = rdflib.term.URIRef('https://schema.org/RightHandDriving')
RisksOrComplicationsHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/RisksOrComplicationsHealthAspect')
RiverBodyOfWater: URIRef = rdflib.term.URIRef('https://schema.org/RiverBodyOfWater')
Role: URIRef = rdflib.term.URIRef('https://schema.org/Role')
RoofingContractor: URIRef = rdflib.term.URIRef('https://schema.org/RoofingContractor')
Room: URIRef = rdflib.term.URIRef('https://schema.org/Room')
RsvpAction: URIRef = rdflib.term.URIRef('https://schema.org/RsvpAction')
RsvpResponseMaybe: URIRef = rdflib.term.URIRef('https://schema.org/RsvpResponseMaybe')
RsvpResponseNo: URIRef = rdflib.term.URIRef('https://schema.org/RsvpResponseNo')
RsvpResponseType: URIRef = rdflib.term.URIRef('https://schema.org/RsvpResponseType')
RsvpResponseYes: URIRef = rdflib.term.URIRef('https://schema.org/RsvpResponseYes')
SRP: URIRef = rdflib.term.URIRef('https://schema.org/SRP')
SafetyHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/SafetyHealthAspect')
SaleEvent: URIRef = rdflib.term.URIRef('https://schema.org/SaleEvent')
SalePrice: URIRef = rdflib.term.URIRef('https://schema.org/SalePrice')
SatireOrParodyContent: URIRef = rdflib.term.URIRef('https://schema.org/SatireOrParodyContent')
SatiricalArticle: URIRef = rdflib.term.URIRef('https://schema.org/SatiricalArticle')
Saturday: URIRef = rdflib.term.URIRef('https://schema.org/Saturday')
Schedule: URIRef = rdflib.term.URIRef('https://schema.org/Schedule')
ScheduleAction: URIRef = rdflib.term.URIRef('https://schema.org/ScheduleAction')
ScholarlyArticle: URIRef = rdflib.term.URIRef('https://schema.org/ScholarlyArticle')
School: URIRef = rdflib.term.URIRef('https://schema.org/School')
SchoolDistrict: URIRef = rdflib.term.URIRef('https://schema.org/SchoolDistrict')
ScreeningEvent: URIRef = rdflib.term.URIRef('https://schema.org/ScreeningEvent')
ScreeningHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/ScreeningHealthAspect')
Sculpture: URIRef = rdflib.term.URIRef('https://schema.org/Sculpture')
SeaBodyOfWater: URIRef = rdflib.term.URIRef('https://schema.org/SeaBodyOfWater')
SearchAction: URIRef = rdflib.term.URIRef('https://schema.org/SearchAction')
SearchResultsPage: URIRef = rdflib.term.URIRef('https://schema.org/SearchResultsPage')
Season: URIRef = rdflib.term.URIRef('https://schema.org/Season')
Seat: URIRef = rdflib.term.URIRef('https://schema.org/Seat')
SeatingMap: URIRef = rdflib.term.URIRef('https://schema.org/SeatingMap')
SeeDoctorHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/SeeDoctorHealthAspect')
SeekToAction: URIRef = rdflib.term.URIRef('https://schema.org/SeekToAction')
SelfCareHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/SelfCareHealthAspect')
SelfStorage: URIRef = rdflib.term.URIRef('https://schema.org/SelfStorage')
SellAction: URIRef = rdflib.term.URIRef('https://schema.org/SellAction')
SendAction: URIRef = rdflib.term.URIRef('https://schema.org/SendAction')
Series: URIRef = rdflib.term.URIRef('https://schema.org/Series')
Service: URIRef = rdflib.term.URIRef('https://schema.org/Service')
ServiceChannel: URIRef = rdflib.term.URIRef('https://schema.org/ServiceChannel')
ShareAction: URIRef = rdflib.term.URIRef('https://schema.org/ShareAction')
SheetMusic: URIRef = rdflib.term.URIRef('https://schema.org/SheetMusic')
ShippingDeliveryTime: URIRef = rdflib.term.URIRef('https://schema.org/ShippingDeliveryTime')
ShippingRateSettings: URIRef = rdflib.term.URIRef('https://schema.org/ShippingRateSettings')
ShoeStore: URIRef = rdflib.term.URIRef('https://schema.org/ShoeStore')
ShoppingCenter: URIRef = rdflib.term.URIRef('https://schema.org/ShoppingCenter')
ShortStory: URIRef = rdflib.term.URIRef('https://schema.org/ShortStory')
SideEffectsHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/SideEffectsHealthAspect')
SingleBlindedTrial: URIRef = rdflib.term.URIRef('https://schema.org/SingleBlindedTrial')
SingleCenterTrial: URIRef = rdflib.term.URIRef('https://schema.org/SingleCenterTrial')
SingleFamilyResidence: URIRef = rdflib.term.URIRef('https://schema.org/SingleFamilyResidence')
SinglePlayer: URIRef = rdflib.term.URIRef('https://schema.org/SinglePlayer')
SingleRelease: URIRef = rdflib.term.URIRef('https://schema.org/SingleRelease')
SiteNavigationElement: URIRef = rdflib.term.URIRef('https://schema.org/SiteNavigationElement')
SizeGroupEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/SizeGroupEnumeration')
SizeSpecification: URIRef = rdflib.term.URIRef('https://schema.org/SizeSpecification')
SizeSystemEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/SizeSystemEnumeration')
SizeSystemImperial: URIRef = rdflib.term.URIRef('https://schema.org/SizeSystemImperial')
SizeSystemMetric: URIRef = rdflib.term.URIRef('https://schema.org/SizeSystemMetric')
SkiResort: URIRef = rdflib.term.URIRef('https://schema.org/SkiResort')
Skin: URIRef = rdflib.term.URIRef('https://schema.org/Skin')
SocialEvent: URIRef = rdflib.term.URIRef('https://schema.org/SocialEvent')
SocialMediaPosting: URIRef = rdflib.term.URIRef('https://schema.org/SocialMediaPosting')
SoftwareApplication: URIRef = rdflib.term.URIRef('https://schema.org/SoftwareApplication')
SoftwareSourceCode: URIRef = rdflib.term.URIRef('https://schema.org/SoftwareSourceCode')
SoldOut: URIRef = rdflib.term.URIRef('https://schema.org/SoldOut')
SolveMathAction: URIRef = rdflib.term.URIRef('https://schema.org/SolveMathAction')
SomeProducts: URIRef = rdflib.term.URIRef('https://schema.org/SomeProducts')
SoundtrackAlbum: URIRef = rdflib.term.URIRef('https://schema.org/SoundtrackAlbum')
SpeakableSpecification: URIRef = rdflib.term.URIRef('https://schema.org/SpeakableSpecification')
SpecialAnnouncement: URIRef = rdflib.term.URIRef('https://schema.org/SpecialAnnouncement')
Specialty: URIRef = rdflib.term.URIRef('https://schema.org/Specialty')
SpeechPathology: URIRef = rdflib.term.URIRef('https://schema.org/SpeechPathology')
SpokenWordAlbum: URIRef = rdflib.term.URIRef('https://schema.org/SpokenWordAlbum')
SportingGoodsStore: URIRef = rdflib.term.URIRef('https://schema.org/SportingGoodsStore')
SportsActivityLocation: URIRef = rdflib.term.URIRef('https://schema.org/SportsActivityLocation')
SportsClub: URIRef = rdflib.term.URIRef('https://schema.org/SportsClub')
SportsEvent: URIRef = rdflib.term.URIRef('https://schema.org/SportsEvent')
SportsOrganization: URIRef = rdflib.term.URIRef('https://schema.org/SportsOrganization')
SportsTeam: URIRef = rdflib.term.URIRef('https://schema.org/SportsTeam')
SpreadsheetDigitalDocument: URIRef = rdflib.term.URIRef('https://schema.org/SpreadsheetDigitalDocument')
StadiumOrArena: URIRef = rdflib.term.URIRef('https://schema.org/StadiumOrArena')
StagedContent: URIRef = rdflib.term.URIRef('https://schema.org/StagedContent')
StagesHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/StagesHealthAspect')
State: URIRef = rdflib.term.URIRef('https://schema.org/State')
Statement: URIRef = rdflib.term.URIRef('https://schema.org/Statement')
StatisticalPopulation: URIRef = rdflib.term.URIRef('https://schema.org/StatisticalPopulation')
StatusEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/StatusEnumeration')
SteeringPositionValue: URIRef = rdflib.term.URIRef('https://schema.org/SteeringPositionValue')
Store: URIRef = rdflib.term.URIRef('https://schema.org/Store')
StoreCreditRefund: URIRef = rdflib.term.URIRef('https://schema.org/StoreCreditRefund')
StrengthTraining: URIRef = rdflib.term.URIRef('https://schema.org/StrengthTraining')
StructuredValue: URIRef = rdflib.term.URIRef('https://schema.org/StructuredValue')
StudioAlbum: URIRef = rdflib.term.URIRef('https://schema.org/StudioAlbum')
SubscribeAction: URIRef = rdflib.term.URIRef('https://schema.org/SubscribeAction')
Subscription: URIRef = rdflib.term.URIRef('https://schema.org/Subscription')
Substance: URIRef = rdflib.term.URIRef('https://schema.org/Substance')
SubwayStation: URIRef = rdflib.term.URIRef('https://schema.org/SubwayStation')
Suite: URIRef = rdflib.term.URIRef('https://schema.org/Suite')
Sunday: URIRef = rdflib.term.URIRef('https://schema.org/Sunday')
SuperficialAnatomy: URIRef = rdflib.term.URIRef('https://schema.org/SuperficialAnatomy')
Surgical: URIRef = rdflib.term.URIRef('https://schema.org/Surgical')
SurgicalProcedure: URIRef = rdflib.term.URIRef('https://schema.org/SurgicalProcedure')
SuspendAction: URIRef = rdflib.term.URIRef('https://schema.org/SuspendAction')
Suspended: URIRef = rdflib.term.URIRef('https://schema.org/Suspended')
SymptomsHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/SymptomsHealthAspect')
Synagogue: URIRef = rdflib.term.URIRef('https://schema.org/Synagogue')
TVClip: URIRef = rdflib.term.URIRef('https://schema.org/TVClip')
TVEpisode: URIRef = rdflib.term.URIRef('https://schema.org/TVEpisode')
TVSeason: URIRef = rdflib.term.URIRef('https://schema.org/TVSeason')
TVSeries: URIRef = rdflib.term.URIRef('https://schema.org/TVSeries')
Table: URIRef = rdflib.term.URIRef('https://schema.org/Table')
TakeAction: URIRef = rdflib.term.URIRef('https://schema.org/TakeAction')
TattooParlor: URIRef = rdflib.term.URIRef('https://schema.org/TattooParlor')
Taxi: URIRef = rdflib.term.URIRef('https://schema.org/Taxi')
TaxiReservation: URIRef = rdflib.term.URIRef('https://schema.org/TaxiReservation')
TaxiService: URIRef = rdflib.term.URIRef('https://schema.org/TaxiService')
TaxiStand: URIRef = rdflib.term.URIRef('https://schema.org/TaxiStand')
TaxiVehicleUsage: URIRef = rdflib.term.URIRef('https://schema.org/TaxiVehicleUsage')
Taxon: URIRef = rdflib.term.URIRef('https://schema.org/Taxon')
TechArticle: URIRef = rdflib.term.URIRef('https://schema.org/TechArticle')
TelevisionChannel: URIRef = rdflib.term.URIRef('https://schema.org/TelevisionChannel')
TelevisionStation: URIRef = rdflib.term.URIRef('https://schema.org/TelevisionStation')
TennisComplex: URIRef = rdflib.term.URIRef('https://schema.org/TennisComplex')
Terminated: URIRef = rdflib.term.URIRef('https://schema.org/Terminated')
Text: URIRef = rdflib.term.URIRef('https://schema.org/Text')
TextDigitalDocument: URIRef = rdflib.term.URIRef('https://schema.org/TextDigitalDocument')
TheaterEvent: URIRef = rdflib.term.URIRef('https://schema.org/TheaterEvent')
TheaterGroup: URIRef = rdflib.term.URIRef('https://schema.org/TheaterGroup')
Therapeutic: URIRef = rdflib.term.URIRef('https://schema.org/Therapeutic')
TherapeuticProcedure: URIRef = rdflib.term.URIRef('https://schema.org/TherapeuticProcedure')
Thesis: URIRef = rdflib.term.URIRef('https://schema.org/Thesis')
Thing: URIRef = rdflib.term.URIRef('https://schema.org/Thing')
Throat: URIRef = rdflib.term.URIRef('https://schema.org/Throat')
Thursday: URIRef = rdflib.term.URIRef('https://schema.org/Thursday')
Ticket: URIRef = rdflib.term.URIRef('https://schema.org/Ticket')
TieAction: URIRef = rdflib.term.URIRef('https://schema.org/TieAction')
Time: URIRef = rdflib.term.URIRef('https://schema.org/Time')
TipAction: URIRef = rdflib.term.URIRef('https://schema.org/TipAction')
TireShop: URIRef = rdflib.term.URIRef('https://schema.org/TireShop')
TollFree: URIRef = rdflib.term.URIRef('https://schema.org/TollFree')
TouristAttraction: URIRef = rdflib.term.URIRef('https://schema.org/TouristAttraction')
TouristDestination: URIRef = rdflib.term.URIRef('https://schema.org/TouristDestination')
TouristInformationCenter: URIRef = rdflib.term.URIRef('https://schema.org/TouristInformationCenter')
TouristTrip: URIRef = rdflib.term.URIRef('https://schema.org/TouristTrip')
Toxicologic: URIRef = rdflib.term.URIRef('https://schema.org/Toxicologic')
ToyStore: URIRef = rdflib.term.URIRef('https://schema.org/ToyStore')
TrackAction: URIRef = rdflib.term.URIRef('https://schema.org/TrackAction')
TradeAction: URIRef = rdflib.term.URIRef('https://schema.org/TradeAction')
TraditionalChinese: URIRef = rdflib.term.URIRef('https://schema.org/TraditionalChinese')
TrainReservation: URIRef = rdflib.term.URIRef('https://schema.org/TrainReservation')
TrainStation: URIRef = rdflib.term.URIRef('https://schema.org/TrainStation')
TrainTrip: URIRef = rdflib.term.URIRef('https://schema.org/TrainTrip')
TransferAction: URIRef = rdflib.term.URIRef('https://schema.org/TransferAction')
TransformedContent: URIRef = rdflib.term.URIRef('https://schema.org/TransformedContent')
TransitMap: URIRef = rdflib.term.URIRef('https://schema.org/TransitMap')
TravelAction: URIRef = rdflib.term.URIRef('https://schema.org/TravelAction')
TravelAgency: URIRef = rdflib.term.URIRef('https://schema.org/TravelAgency')
TreatmentIndication: URIRef = rdflib.term.URIRef('https://schema.org/TreatmentIndication')
TreatmentsHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/TreatmentsHealthAspect')
Trip: URIRef = rdflib.term.URIRef('https://schema.org/Trip')
TripleBlindedTrial: URIRef = rdflib.term.URIRef('https://schema.org/TripleBlindedTrial')
Tuesday: URIRef = rdflib.term.URIRef('https://schema.org/Tuesday')
TypeAndQuantityNode: URIRef = rdflib.term.URIRef('https://schema.org/TypeAndQuantityNode')
TypesHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/TypesHealthAspect')
UKNonprofitType: URIRef = rdflib.term.URIRef('https://schema.org/UKNonprofitType')
UKTrust: URIRef = rdflib.term.URIRef('https://schema.org/UKTrust')
URL: URIRef = rdflib.term.URIRef('https://schema.org/URL')
USNonprofitType: URIRef = rdflib.term.URIRef('https://schema.org/USNonprofitType')
Ultrasound: URIRef = rdflib.term.URIRef('https://schema.org/Ultrasound')
UnRegisterAction: URIRef = rdflib.term.URIRef('https://schema.org/UnRegisterAction')
UnemploymentSupport: URIRef = rdflib.term.URIRef('https://schema.org/UnemploymentSupport')
UnincorporatedAssociationCharity: URIRef = rdflib.term.URIRef('https://schema.org/UnincorporatedAssociationCharity')
UnitPriceSpecification: URIRef = rdflib.term.URIRef('https://schema.org/UnitPriceSpecification')
UnofficialLegalValue: URIRef = rdflib.term.URIRef('https://schema.org/UnofficialLegalValue')
UpdateAction: URIRef = rdflib.term.URIRef('https://schema.org/UpdateAction')
Urologic: URIRef = rdflib.term.URIRef('https://schema.org/Urologic')
UsageOrScheduleHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/UsageOrScheduleHealthAspect')
UseAction: URIRef = rdflib.term.URIRef('https://schema.org/UseAction')
UsedCondition: URIRef = rdflib.term.URIRef('https://schema.org/UsedCondition')
UserBlocks: URIRef = rdflib.term.URIRef('https://schema.org/UserBlocks')
UserCheckins: URIRef = rdflib.term.URIRef('https://schema.org/UserCheckins')
UserComments: URIRef = rdflib.term.URIRef('https://schema.org/UserComments')
UserDownloads: URIRef = rdflib.term.URIRef('https://schema.org/UserDownloads')
UserInteraction: URIRef = rdflib.term.URIRef('https://schema.org/UserInteraction')
UserLikes: URIRef = rdflib.term.URIRef('https://schema.org/UserLikes')
UserPageVisits: URIRef = rdflib.term.URIRef('https://schema.org/UserPageVisits')
UserPlays: URIRef = rdflib.term.URIRef('https://schema.org/UserPlays')
UserPlusOnes: URIRef = rdflib.term.URIRef('https://schema.org/UserPlusOnes')
UserReview: URIRef = rdflib.term.URIRef('https://schema.org/UserReview')
UserTweets: URIRef = rdflib.term.URIRef('https://schema.org/UserTweets')
VeganDiet: URIRef = rdflib.term.URIRef('https://schema.org/VeganDiet')
VegetarianDiet: URIRef = rdflib.term.URIRef('https://schema.org/VegetarianDiet')
Vehicle: URIRef = rdflib.term.URIRef('https://schema.org/Vehicle')
Vein: URIRef = rdflib.term.URIRef('https://schema.org/Vein')
VenueMap: URIRef = rdflib.term.URIRef('https://schema.org/VenueMap')
Vessel: URIRef = rdflib.term.URIRef('https://schema.org/Vessel')
VeterinaryCare: URIRef = rdflib.term.URIRef('https://schema.org/VeterinaryCare')
VideoGallery: URIRef = rdflib.term.URIRef('https://schema.org/VideoGallery')
VideoGame: URIRef = rdflib.term.URIRef('https://schema.org/VideoGame')
VideoGameClip: URIRef = rdflib.term.URIRef('https://schema.org/VideoGameClip')
VideoGameSeries: URIRef = rdflib.term.URIRef('https://schema.org/VideoGameSeries')
VideoObject: URIRef = rdflib.term.URIRef('https://schema.org/VideoObject')
VideoObjectSnapshot: URIRef = rdflib.term.URIRef('https://schema.org/VideoObjectSnapshot')
ViewAction: URIRef = rdflib.term.URIRef('https://schema.org/ViewAction')
VinylFormat: URIRef = rdflib.term.URIRef('https://schema.org/VinylFormat')
VirtualLocation: URIRef = rdflib.term.URIRef('https://schema.org/VirtualLocation')
Virus: URIRef = rdflib.term.URIRef('https://schema.org/Virus')
VisualArtsEvent: URIRef = rdflib.term.URIRef('https://schema.org/VisualArtsEvent')
VisualArtwork: URIRef = rdflib.term.URIRef('https://schema.org/VisualArtwork')
VitalSign: URIRef = rdflib.term.URIRef('https://schema.org/VitalSign')
Volcano: URIRef = rdflib.term.URIRef('https://schema.org/Volcano')
VoteAction: URIRef = rdflib.term.URIRef('https://schema.org/VoteAction')
WPAdBlock: URIRef = rdflib.term.URIRef('https://schema.org/WPAdBlock')
WPFooter: URIRef = rdflib.term.URIRef('https://schema.org/WPFooter')
WPHeader: URIRef = rdflib.term.URIRef('https://schema.org/WPHeader')
WPSideBar: URIRef = rdflib.term.URIRef('https://schema.org/WPSideBar')
WantAction: URIRef = rdflib.term.URIRef('https://schema.org/WantAction')
WarrantyPromise: URIRef = rdflib.term.URIRef('https://schema.org/WarrantyPromise')
WarrantyScope: URIRef = rdflib.term.URIRef('https://schema.org/WarrantyScope')
WatchAction: URIRef = rdflib.term.URIRef('https://schema.org/WatchAction')
Waterfall: URIRef = rdflib.term.URIRef('https://schema.org/Waterfall')
WearAction: URIRef = rdflib.term.URIRef('https://schema.org/WearAction')
WearableMeasurementBack: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementBack')
WearableMeasurementChestOrBust: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementChestOrBust')
WearableMeasurementCollar: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementCollar')
WearableMeasurementCup: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementCup')
WearableMeasurementHeight: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementHeight')
WearableMeasurementHips: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementHips')
WearableMeasurementInseam: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementInseam')
WearableMeasurementLength: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementLength')
WearableMeasurementOutsideLeg: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementOutsideLeg')
WearableMeasurementSleeve: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementSleeve')
WearableMeasurementTypeEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementTypeEnumeration')
WearableMeasurementWaist: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementWaist')
WearableMeasurementWidth: URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementWidth')
WearableSizeGroupBig: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupBig')
WearableSizeGroupBoys: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupBoys')
WearableSizeGroupEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupEnumeration')
WearableSizeGroupExtraShort: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupExtraShort')
WearableSizeGroupExtraTall: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupExtraTall')
WearableSizeGroupGirls: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupGirls')
WearableSizeGroupHusky: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupHusky')
WearableSizeGroupInfants: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupInfants')
WearableSizeGroupJuniors: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupJuniors')
WearableSizeGroupMaternity: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupMaternity')
WearableSizeGroupMens: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupMens')
WearableSizeGroupMisses: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupMisses')
WearableSizeGroupPetite: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupPetite')
WearableSizeGroupPlus: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupPlus')
WearableSizeGroupRegular: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupRegular')
WearableSizeGroupShort: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupShort')
WearableSizeGroupTall: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupTall')
WearableSizeGroupWomens: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupWomens')
WearableSizeSystemAU: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemAU')
WearableSizeSystemBR: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemBR')
WearableSizeSystemCN: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemCN')
WearableSizeSystemContinental: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemContinental')
WearableSizeSystemDE: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemDE')
WearableSizeSystemEN13402: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemEN13402')
WearableSizeSystemEnumeration: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemEnumeration')
WearableSizeSystemEurope: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemEurope')
WearableSizeSystemFR: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemFR')
WearableSizeSystemGS1: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemGS1')
WearableSizeSystemIT: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemIT')
WearableSizeSystemJP: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemJP')
WearableSizeSystemMX: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemMX')
WearableSizeSystemUK: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemUK')
WearableSizeSystemUS: URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemUS')
WebAPI: URIRef = rdflib.term.URIRef('https://schema.org/WebAPI')
WebApplication: URIRef = rdflib.term.URIRef('https://schema.org/WebApplication')
WebContent: URIRef = rdflib.term.URIRef('https://schema.org/WebContent')
WebPage: URIRef = rdflib.term.URIRef('https://schema.org/WebPage')
WebPageElement: URIRef = rdflib.term.URIRef('https://schema.org/WebPageElement')
WebSite: URIRef = rdflib.term.URIRef('https://schema.org/WebSite')
Wednesday: URIRef = rdflib.term.URIRef('https://schema.org/Wednesday')
WesternConventional: URIRef = rdflib.term.URIRef('https://schema.org/WesternConventional')
Wholesale: URIRef = rdflib.term.URIRef('https://schema.org/Wholesale')
WholesaleStore: URIRef = rdflib.term.URIRef('https://schema.org/WholesaleStore')
WinAction: URIRef = rdflib.term.URIRef('https://schema.org/WinAction')
Winery: URIRef = rdflib.term.URIRef('https://schema.org/Winery')
Withdrawn: URIRef = rdflib.term.URIRef('https://schema.org/Withdrawn')
WorkBasedProgram: URIRef = rdflib.term.URIRef('https://schema.org/WorkBasedProgram')
WorkersUnion: URIRef = rdflib.term.URIRef('https://schema.org/WorkersUnion')
WriteAction: URIRef = rdflib.term.URIRef('https://schema.org/WriteAction')
WritePermission: URIRef = rdflib.term.URIRef('https://schema.org/WritePermission')
XPathType: URIRef = rdflib.term.URIRef('https://schema.org/XPathType')
XRay: URIRef = rdflib.term.URIRef('https://schema.org/XRay')
ZoneBoardingPolicy: URIRef = rdflib.term.URIRef('https://schema.org/ZoneBoardingPolicy')
Zoo: URIRef = rdflib.term.URIRef('https://schema.org/Zoo')
about: URIRef = rdflib.term.URIRef('https://schema.org/about')
abridged: URIRef = rdflib.term.URIRef('https://schema.org/abridged')
abstract: URIRef = rdflib.term.URIRef('https://schema.org/abstract')
accelerationTime: URIRef = rdflib.term.URIRef('https://schema.org/accelerationTime')
acceptedAnswer: URIRef = rdflib.term.URIRef('https://schema.org/acceptedAnswer')
acceptedOffer: URIRef = rdflib.term.URIRef('https://schema.org/acceptedOffer')
acceptedPaymentMethod: URIRef = rdflib.term.URIRef('https://schema.org/acceptedPaymentMethod')
acceptsReservations: URIRef = rdflib.term.URIRef('https://schema.org/acceptsReservations')
accessCode: URIRef = rdflib.term.URIRef('https://schema.org/accessCode')
accessMode: URIRef = rdflib.term.URIRef('https://schema.org/accessMode')
accessModeSufficient: URIRef = rdflib.term.URIRef('https://schema.org/accessModeSufficient')
accessibilityAPI: URIRef = rdflib.term.URIRef('https://schema.org/accessibilityAPI')
accessibilityControl: URIRef = rdflib.term.URIRef('https://schema.org/accessibilityControl')
accessibilityFeature: URIRef = rdflib.term.URIRef('https://schema.org/accessibilityFeature')
accessibilityHazard: URIRef = rdflib.term.URIRef('https://schema.org/accessibilityHazard')
accessibilitySummary: URIRef = rdflib.term.URIRef('https://schema.org/accessibilitySummary')
accommodationCategory: URIRef = rdflib.term.URIRef('https://schema.org/accommodationCategory')
accommodationFloorPlan: URIRef = rdflib.term.URIRef('https://schema.org/accommodationFloorPlan')
accountId: URIRef = rdflib.term.URIRef('https://schema.org/accountId')
accountMinimumInflow: URIRef = rdflib.term.URIRef('https://schema.org/accountMinimumInflow')
accountOverdraftLimit: URIRef = rdflib.term.URIRef('https://schema.org/accountOverdraftLimit')
accountablePerson: URIRef = rdflib.term.URIRef('https://schema.org/accountablePerson')
acquireLicensePage: URIRef = rdflib.term.URIRef('https://schema.org/acquireLicensePage')
acquiredFrom: URIRef = rdflib.term.URIRef('https://schema.org/acquiredFrom')
acrissCode: URIRef = rdflib.term.URIRef('https://schema.org/acrissCode')
actionAccessibilityRequirement: URIRef = rdflib.term.URIRef('https://schema.org/actionAccessibilityRequirement')
actionApplication: URIRef = rdflib.term.URIRef('https://schema.org/actionApplication')
actionOption: URIRef = rdflib.term.URIRef('https://schema.org/actionOption')
actionPlatform: URIRef = rdflib.term.URIRef('https://schema.org/actionPlatform')
actionStatus: URIRef = rdflib.term.URIRef('https://schema.org/actionStatus')
actionableFeedbackPolicy: URIRef = rdflib.term.URIRef('https://schema.org/actionableFeedbackPolicy')
activeIngredient: URIRef = rdflib.term.URIRef('https://schema.org/activeIngredient')
activityDuration: URIRef = rdflib.term.URIRef('https://schema.org/activityDuration')
activityFrequency: URIRef = rdflib.term.URIRef('https://schema.org/activityFrequency')
actor: URIRef = rdflib.term.URIRef('https://schema.org/actor')
actors: URIRef = rdflib.term.URIRef('https://schema.org/actors')
addOn: URIRef = rdflib.term.URIRef('https://schema.org/addOn')
additionalName: URIRef = rdflib.term.URIRef('https://schema.org/additionalName')
additionalNumberOfGuests: URIRef = rdflib.term.URIRef('https://schema.org/additionalNumberOfGuests')
additionalProperty: URIRef = rdflib.term.URIRef('https://schema.org/additionalProperty')
additionalType: URIRef = rdflib.term.URIRef('https://schema.org/additionalType')
additionalVariable: URIRef = rdflib.term.URIRef('https://schema.org/additionalVariable')
address: URIRef = rdflib.term.URIRef('https://schema.org/address')
addressCountry: URIRef = rdflib.term.URIRef('https://schema.org/addressCountry')
addressLocality: URIRef = rdflib.term.URIRef('https://schema.org/addressLocality')
addressRegion: URIRef = rdflib.term.URIRef('https://schema.org/addressRegion')
administrationRoute: URIRef = rdflib.term.URIRef('https://schema.org/administrationRoute')
advanceBookingRequirement: URIRef = rdflib.term.URIRef('https://schema.org/advanceBookingRequirement')
adverseOutcome: URIRef = rdflib.term.URIRef('https://schema.org/adverseOutcome')
affectedBy: URIRef = rdflib.term.URIRef('https://schema.org/affectedBy')
affiliation: URIRef = rdflib.term.URIRef('https://schema.org/affiliation')
afterMedia: URIRef = rdflib.term.URIRef('https://schema.org/afterMedia')
agent: URIRef = rdflib.term.URIRef('https://schema.org/agent')
aggregateRating: URIRef = rdflib.term.URIRef('https://schema.org/aggregateRating')
aircraft: URIRef = rdflib.term.URIRef('https://schema.org/aircraft')
album: URIRef = rdflib.term.URIRef('https://schema.org/album')
albumProductionType: URIRef = rdflib.term.URIRef('https://schema.org/albumProductionType')
albumRelease: URIRef = rdflib.term.URIRef('https://schema.org/albumRelease')
albumReleaseType: URIRef = rdflib.term.URIRef('https://schema.org/albumReleaseType')
albums: URIRef = rdflib.term.URIRef('https://schema.org/albums')
alcoholWarning: URIRef = rdflib.term.URIRef('https://schema.org/alcoholWarning')
algorithm: URIRef = rdflib.term.URIRef('https://schema.org/algorithm')
alignmentType: URIRef = rdflib.term.URIRef('https://schema.org/alignmentType')
alternateName: URIRef = rdflib.term.URIRef('https://schema.org/alternateName')
alternativeHeadline: URIRef = rdflib.term.URIRef('https://schema.org/alternativeHeadline')
alternativeOf: URIRef = rdflib.term.URIRef('https://schema.org/alternativeOf')
alumni: URIRef = rdflib.term.URIRef('https://schema.org/alumni')
alumniOf: URIRef = rdflib.term.URIRef('https://schema.org/alumniOf')
amenityFeature: URIRef = rdflib.term.URIRef('https://schema.org/amenityFeature')
amount: URIRef = rdflib.term.URIRef('https://schema.org/amount')
amountOfThisGood: URIRef = rdflib.term.URIRef('https://schema.org/amountOfThisGood')
announcementLocation: URIRef = rdflib.term.URIRef('https://schema.org/announcementLocation')
annualPercentageRate: URIRef = rdflib.term.URIRef('https://schema.org/annualPercentageRate')
answerCount: URIRef = rdflib.term.URIRef('https://schema.org/answerCount')
answerExplanation: URIRef = rdflib.term.URIRef('https://schema.org/answerExplanation')
antagonist: URIRef = rdflib.term.URIRef('https://schema.org/antagonist')
appearance: URIRef = rdflib.term.URIRef('https://schema.org/appearance')
applicableLocation: URIRef = rdflib.term.URIRef('https://schema.org/applicableLocation')
applicantLocationRequirements: URIRef = rdflib.term.URIRef('https://schema.org/applicantLocationRequirements')
application: URIRef = rdflib.term.URIRef('https://schema.org/application')
applicationCategory: URIRef = rdflib.term.URIRef('https://schema.org/applicationCategory')
applicationContact: URIRef = rdflib.term.URIRef('https://schema.org/applicationContact')
applicationDeadline: URIRef = rdflib.term.URIRef('https://schema.org/applicationDeadline')
applicationStartDate: URIRef = rdflib.term.URIRef('https://schema.org/applicationStartDate')
applicationSubCategory: URIRef = rdflib.term.URIRef('https://schema.org/applicationSubCategory')
applicationSuite: URIRef = rdflib.term.URIRef('https://schema.org/applicationSuite')
appliesToDeliveryMethod: URIRef = rdflib.term.URIRef('https://schema.org/appliesToDeliveryMethod')
appliesToPaymentMethod: URIRef = rdflib.term.URIRef('https://schema.org/appliesToPaymentMethod')
archiveHeld: URIRef = rdflib.term.URIRef('https://schema.org/archiveHeld')
archivedAt: URIRef = rdflib.term.URIRef('https://schema.org/archivedAt')
area: URIRef = rdflib.term.URIRef('https://schema.org/area')
areaServed: URIRef = rdflib.term.URIRef('https://schema.org/areaServed')
arrivalAirport: URIRef = rdflib.term.URIRef('https://schema.org/arrivalAirport')
arrivalBoatTerminal: URIRef = rdflib.term.URIRef('https://schema.org/arrivalBoatTerminal')
arrivalBusStop: URIRef = rdflib.term.URIRef('https://schema.org/arrivalBusStop')
arrivalGate: URIRef = rdflib.term.URIRef('https://schema.org/arrivalGate')
arrivalPlatform: URIRef = rdflib.term.URIRef('https://schema.org/arrivalPlatform')
arrivalStation: URIRef = rdflib.term.URIRef('https://schema.org/arrivalStation')
arrivalTerminal: URIRef = rdflib.term.URIRef('https://schema.org/arrivalTerminal')
arrivalTime: URIRef = rdflib.term.URIRef('https://schema.org/arrivalTime')
artEdition: URIRef = rdflib.term.URIRef('https://schema.org/artEdition')
artMedium: URIRef = rdflib.term.URIRef('https://schema.org/artMedium')
arterialBranch: URIRef = rdflib.term.URIRef('https://schema.org/arterialBranch')
artform: URIRef = rdflib.term.URIRef('https://schema.org/artform')
articleBody: URIRef = rdflib.term.URIRef('https://schema.org/articleBody')
articleSection: URIRef = rdflib.term.URIRef('https://schema.org/articleSection')
artist: URIRef = rdflib.term.URIRef('https://schema.org/artist')
artworkSurface: URIRef = rdflib.term.URIRef('https://schema.org/artworkSurface')
aspect: URIRef = rdflib.term.URIRef('https://schema.org/aspect')
assembly: URIRef = rdflib.term.URIRef('https://schema.org/assembly')
assemblyVersion: URIRef = rdflib.term.URIRef('https://schema.org/assemblyVersion')
assesses: URIRef = rdflib.term.URIRef('https://schema.org/assesses')
associatedAnatomy: URIRef = rdflib.term.URIRef('https://schema.org/associatedAnatomy')
associatedArticle: URIRef = rdflib.term.URIRef('https://schema.org/associatedArticle')
associatedClaimReview: URIRef = rdflib.term.URIRef('https://schema.org/associatedClaimReview')
associatedDisease: URIRef = rdflib.term.URIRef('https://schema.org/associatedDisease')
associatedMedia: URIRef = rdflib.term.URIRef('https://schema.org/associatedMedia')
associatedMediaReview: URIRef = rdflib.term.URIRef('https://schema.org/associatedMediaReview')
associatedPathophysiology: URIRef = rdflib.term.URIRef('https://schema.org/associatedPathophysiology')
associatedReview: URIRef = rdflib.term.URIRef('https://schema.org/associatedReview')
athlete: URIRef = rdflib.term.URIRef('https://schema.org/athlete')
attendee: URIRef = rdflib.term.URIRef('https://schema.org/attendee')
attendees: URIRef = rdflib.term.URIRef('https://schema.org/attendees')
audience: URIRef = rdflib.term.URIRef('https://schema.org/audience')
audienceType: URIRef = rdflib.term.URIRef('https://schema.org/audienceType')
audio: URIRef = rdflib.term.URIRef('https://schema.org/audio')
authenticator: URIRef = rdflib.term.URIRef('https://schema.org/authenticator')
author: URIRef = rdflib.term.URIRef('https://schema.org/author')
availability: URIRef = rdflib.term.URIRef('https://schema.org/availability')
availabilityEnds: URIRef = rdflib.term.URIRef('https://schema.org/availabilityEnds')
availabilityStarts: URIRef = rdflib.term.URIRef('https://schema.org/availabilityStarts')
availableAtOrFrom: URIRef = rdflib.term.URIRef('https://schema.org/availableAtOrFrom')
availableChannel: URIRef = rdflib.term.URIRef('https://schema.org/availableChannel')
availableDeliveryMethod: URIRef = rdflib.term.URIRef('https://schema.org/availableDeliveryMethod')
availableFrom: URIRef = rdflib.term.URIRef('https://schema.org/availableFrom')
availableIn: URIRef = rdflib.term.URIRef('https://schema.org/availableIn')
availableLanguage: URIRef = rdflib.term.URIRef('https://schema.org/availableLanguage')
availableOnDevice: URIRef = rdflib.term.URIRef('https://schema.org/availableOnDevice')
availableService: URIRef = rdflib.term.URIRef('https://schema.org/availableService')
availableStrength: URIRef = rdflib.term.URIRef('https://schema.org/availableStrength')
availableTest: URIRef = rdflib.term.URIRef('https://schema.org/availableTest')
availableThrough: URIRef = rdflib.term.URIRef('https://schema.org/availableThrough')
award: URIRef = rdflib.term.URIRef('https://schema.org/award')
awards: URIRef = rdflib.term.URIRef('https://schema.org/awards')
awayTeam: URIRef = rdflib.term.URIRef('https://schema.org/awayTeam')
backstory: URIRef = rdflib.term.URIRef('https://schema.org/backstory')
bankAccountType: URIRef = rdflib.term.URIRef('https://schema.org/bankAccountType')
baseSalary: URIRef = rdflib.term.URIRef('https://schema.org/baseSalary')
bccRecipient: URIRef = rdflib.term.URIRef('https://schema.org/bccRecipient')
bed: URIRef = rdflib.term.URIRef('https://schema.org/bed')
beforeMedia: URIRef = rdflib.term.URIRef('https://schema.org/beforeMedia')
beneficiaryBank: URIRef = rdflib.term.URIRef('https://schema.org/beneficiaryBank')
benefits: URIRef = rdflib.term.URIRef('https://schema.org/benefits')
benefitsSummaryUrl: URIRef = rdflib.term.URIRef('https://schema.org/benefitsSummaryUrl')
bestRating: URIRef = rdflib.term.URIRef('https://schema.org/bestRating')
billingAddress: URIRef = rdflib.term.URIRef('https://schema.org/billingAddress')
billingDuration: URIRef = rdflib.term.URIRef('https://schema.org/billingDuration')
billingIncrement: URIRef = rdflib.term.URIRef('https://schema.org/billingIncrement')
billingPeriod: URIRef = rdflib.term.URIRef('https://schema.org/billingPeriod')
billingStart: URIRef = rdflib.term.URIRef('https://schema.org/billingStart')
bioChemInteraction: URIRef = rdflib.term.URIRef('https://schema.org/bioChemInteraction')
bioChemSimilarity: URIRef = rdflib.term.URIRef('https://schema.org/bioChemSimilarity')
biologicalRole: URIRef = rdflib.term.URIRef('https://schema.org/biologicalRole')
biomechnicalClass: URIRef = rdflib.term.URIRef('https://schema.org/biomechnicalClass')
birthDate: URIRef = rdflib.term.URIRef('https://schema.org/birthDate')
birthPlace: URIRef = rdflib.term.URIRef('https://schema.org/birthPlace')
bitrate: URIRef = rdflib.term.URIRef('https://schema.org/bitrate')
blogPost: URIRef = rdflib.term.URIRef('https://schema.org/blogPost')
blogPosts: URIRef = rdflib.term.URIRef('https://schema.org/blogPosts')
bloodSupply: URIRef = rdflib.term.URIRef('https://schema.org/bloodSupply')
boardingGroup: URIRef = rdflib.term.URIRef('https://schema.org/boardingGroup')
boardingPolicy: URIRef = rdflib.term.URIRef('https://schema.org/boardingPolicy')
bodyLocation: URIRef = rdflib.term.URIRef('https://schema.org/bodyLocation')
bodyType: URIRef = rdflib.term.URIRef('https://schema.org/bodyType')
bookEdition: URIRef = rdflib.term.URIRef('https://schema.org/bookEdition')
bookFormat: URIRef = rdflib.term.URIRef('https://schema.org/bookFormat')
bookingAgent: URIRef = rdflib.term.URIRef('https://schema.org/bookingAgent')
bookingTime: URIRef = rdflib.term.URIRef('https://schema.org/bookingTime')
borrower: URIRef = rdflib.term.URIRef('https://schema.org/borrower')
box: URIRef = rdflib.term.URIRef('https://schema.org/box')
branch: URIRef = rdflib.term.URIRef('https://schema.org/branch')
branchCode: URIRef = rdflib.term.URIRef('https://schema.org/branchCode')
branchOf: URIRef = rdflib.term.URIRef('https://schema.org/branchOf')
brand: URIRef = rdflib.term.URIRef('https://schema.org/brand')
breadcrumb: URIRef = rdflib.term.URIRef('https://schema.org/breadcrumb')
breastfeedingWarning: URIRef = rdflib.term.URIRef('https://schema.org/breastfeedingWarning')
broadcastAffiliateOf: URIRef = rdflib.term.URIRef('https://schema.org/broadcastAffiliateOf')
broadcastChannelId: URIRef = rdflib.term.URIRef('https://schema.org/broadcastChannelId')
broadcastDisplayName: URIRef = rdflib.term.URIRef('https://schema.org/broadcastDisplayName')
broadcastFrequency: URIRef = rdflib.term.URIRef('https://schema.org/broadcastFrequency')
broadcastFrequencyValue: URIRef = rdflib.term.URIRef('https://schema.org/broadcastFrequencyValue')
broadcastOfEvent: URIRef = rdflib.term.URIRef('https://schema.org/broadcastOfEvent')
broadcastServiceTier: URIRef = rdflib.term.URIRef('https://schema.org/broadcastServiceTier')
broadcastSignalModulation: URIRef = rdflib.term.URIRef('https://schema.org/broadcastSignalModulation')
broadcastSubChannel: URIRef = rdflib.term.URIRef('https://schema.org/broadcastSubChannel')
broadcastTimezone: URIRef = rdflib.term.URIRef('https://schema.org/broadcastTimezone')
broadcaster: URIRef = rdflib.term.URIRef('https://schema.org/broadcaster')
broker: URIRef = rdflib.term.URIRef('https://schema.org/broker')
browserRequirements: URIRef = rdflib.term.URIRef('https://schema.org/browserRequirements')
busName: URIRef = rdflib.term.URIRef('https://schema.org/busName')
busNumber: URIRef = rdflib.term.URIRef('https://schema.org/busNumber')
businessDays: URIRef = rdflib.term.URIRef('https://schema.org/businessDays')
businessFunction: URIRef = rdflib.term.URIRef('https://schema.org/businessFunction')
buyer: URIRef = rdflib.term.URIRef('https://schema.org/buyer')
byArtist: URIRef = rdflib.term.URIRef('https://schema.org/byArtist')
byDay: URIRef = rdflib.term.URIRef('https://schema.org/byDay')
byMonth: URIRef = rdflib.term.URIRef('https://schema.org/byMonth')
byMonthDay: URIRef = rdflib.term.URIRef('https://schema.org/byMonthDay')
byMonthWeek: URIRef = rdflib.term.URIRef('https://schema.org/byMonthWeek')
callSign: URIRef = rdflib.term.URIRef('https://schema.org/callSign')
calories: URIRef = rdflib.term.URIRef('https://schema.org/calories')
candidate: URIRef = rdflib.term.URIRef('https://schema.org/candidate')
caption: URIRef = rdflib.term.URIRef('https://schema.org/caption')
carbohydrateContent: URIRef = rdflib.term.URIRef('https://schema.org/carbohydrateContent')
cargoVolume: URIRef = rdflib.term.URIRef('https://schema.org/cargoVolume')
carrier: URIRef = rdflib.term.URIRef('https://schema.org/carrier')
carrierRequirements: URIRef = rdflib.term.URIRef('https://schema.org/carrierRequirements')
cashBack: URIRef = rdflib.term.URIRef('https://schema.org/cashBack')
catalog: URIRef = rdflib.term.URIRef('https://schema.org/catalog')
catalogNumber: URIRef = rdflib.term.URIRef('https://schema.org/catalogNumber')
category: URIRef = rdflib.term.URIRef('https://schema.org/category')
causeOf: URIRef = rdflib.term.URIRef('https://schema.org/causeOf')
ccRecipient: URIRef = rdflib.term.URIRef('https://schema.org/ccRecipient')
character: URIRef = rdflib.term.URIRef('https://schema.org/character')
characterAttribute: URIRef = rdflib.term.URIRef('https://schema.org/characterAttribute')
characterName: URIRef = rdflib.term.URIRef('https://schema.org/characterName')
cheatCode: URIRef = rdflib.term.URIRef('https://schema.org/cheatCode')
checkinTime: URIRef = rdflib.term.URIRef('https://schema.org/checkinTime')
checkoutTime: URIRef = rdflib.term.URIRef('https://schema.org/checkoutTime')
chemicalComposition: URIRef = rdflib.term.URIRef('https://schema.org/chemicalComposition')
chemicalRole: URIRef = rdflib.term.URIRef('https://schema.org/chemicalRole')
childMaxAge: URIRef = rdflib.term.URIRef('https://schema.org/childMaxAge')
childMinAge: URIRef = rdflib.term.URIRef('https://schema.org/childMinAge')
childTaxon: URIRef = rdflib.term.URIRef('https://schema.org/childTaxon')
children: URIRef = rdflib.term.URIRef('https://schema.org/children')
cholesterolContent: URIRef = rdflib.term.URIRef('https://schema.org/cholesterolContent')
circle: URIRef = rdflib.term.URIRef('https://schema.org/circle')
citation: URIRef = rdflib.term.URIRef('https://schema.org/citation')
claimInterpreter: URIRef = rdflib.term.URIRef('https://schema.org/claimInterpreter')
claimReviewed: URIRef = rdflib.term.URIRef('https://schema.org/claimReviewed')
clincalPharmacology: URIRef = rdflib.term.URIRef('https://schema.org/clincalPharmacology')
clinicalPharmacology: URIRef = rdflib.term.URIRef('https://schema.org/clinicalPharmacology')
clipNumber: URIRef = rdflib.term.URIRef('https://schema.org/clipNumber')
closes: URIRef = rdflib.term.URIRef('https://schema.org/closes')
coach: URIRef = rdflib.term.URIRef('https://schema.org/coach')
code: URIRef = rdflib.term.URIRef('https://schema.org/code')
codeRepository: URIRef = rdflib.term.URIRef('https://schema.org/codeRepository')
codeSampleType: URIRef = rdflib.term.URIRef('https://schema.org/codeSampleType')
codeValue: URIRef = rdflib.term.URIRef('https://schema.org/codeValue')
codingSystem: URIRef = rdflib.term.URIRef('https://schema.org/codingSystem')
colleague: URIRef = rdflib.term.URIRef('https://schema.org/colleague')
colleagues: URIRef = rdflib.term.URIRef('https://schema.org/colleagues')
collection: URIRef = rdflib.term.URIRef('https://schema.org/collection')
collectionSize: URIRef = rdflib.term.URIRef('https://schema.org/collectionSize')
color: URIRef = rdflib.term.URIRef('https://schema.org/color')
colorist: URIRef = rdflib.term.URIRef('https://schema.org/colorist')
comment: URIRef = rdflib.term.URIRef('https://schema.org/comment')
commentCount: URIRef = rdflib.term.URIRef('https://schema.org/commentCount')
commentText: URIRef = rdflib.term.URIRef('https://schema.org/commentText')
commentTime: URIRef = rdflib.term.URIRef('https://schema.org/commentTime')
competencyRequired: URIRef = rdflib.term.URIRef('https://schema.org/competencyRequired')
competitor: URIRef = rdflib.term.URIRef('https://schema.org/competitor')
composer: URIRef = rdflib.term.URIRef('https://schema.org/composer')
comprisedOf: URIRef = rdflib.term.URIRef('https://schema.org/comprisedOf')
conditionsOfAccess: URIRef = rdflib.term.URIRef('https://schema.org/conditionsOfAccess')
confirmationNumber: URIRef = rdflib.term.URIRef('https://schema.org/confirmationNumber')
connectedTo: URIRef = rdflib.term.URIRef('https://schema.org/connectedTo')
constrainingProperty: URIRef = rdflib.term.URIRef('https://schema.org/constrainingProperty')
contactOption: URIRef = rdflib.term.URIRef('https://schema.org/contactOption')
contactPoint: URIRef = rdflib.term.URIRef('https://schema.org/contactPoint')
contactPoints: URIRef = rdflib.term.URIRef('https://schema.org/contactPoints')
contactType: URIRef = rdflib.term.URIRef('https://schema.org/contactType')
contactlessPayment: URIRef = rdflib.term.URIRef('https://schema.org/contactlessPayment')
containedIn: URIRef = rdflib.term.URIRef('https://schema.org/containedIn')
containedInPlace: URIRef = rdflib.term.URIRef('https://schema.org/containedInPlace')
containsPlace: URIRef = rdflib.term.URIRef('https://schema.org/containsPlace')
containsSeason: URIRef = rdflib.term.URIRef('https://schema.org/containsSeason')
contentLocation: URIRef = rdflib.term.URIRef('https://schema.org/contentLocation')
contentRating: URIRef = rdflib.term.URIRef('https://schema.org/contentRating')
contentReferenceTime: URIRef = rdflib.term.URIRef('https://schema.org/contentReferenceTime')
contentSize: URIRef = rdflib.term.URIRef('https://schema.org/contentSize')
contentType: URIRef = rdflib.term.URIRef('https://schema.org/contentType')
contentUrl: URIRef = rdflib.term.URIRef('https://schema.org/contentUrl')
contraindication: URIRef = rdflib.term.URIRef('https://schema.org/contraindication')
contributor: URIRef = rdflib.term.URIRef('https://schema.org/contributor')
cookTime: URIRef = rdflib.term.URIRef('https://schema.org/cookTime')
cookingMethod: URIRef = rdflib.term.URIRef('https://schema.org/cookingMethod')
copyrightHolder: URIRef = rdflib.term.URIRef('https://schema.org/copyrightHolder')
copyrightNotice: URIRef = rdflib.term.URIRef('https://schema.org/copyrightNotice')
copyrightYear: URIRef = rdflib.term.URIRef('https://schema.org/copyrightYear')
correction: URIRef = rdflib.term.URIRef('https://schema.org/correction')
correctionsPolicy: URIRef = rdflib.term.URIRef('https://schema.org/correctionsPolicy')
costCategory: URIRef = rdflib.term.URIRef('https://schema.org/costCategory')
costCurrency: URIRef = rdflib.term.URIRef('https://schema.org/costCurrency')
costOrigin: URIRef = rdflib.term.URIRef('https://schema.org/costOrigin')
costPerUnit: URIRef = rdflib.term.URIRef('https://schema.org/costPerUnit')
countriesNotSupported: URIRef = rdflib.term.URIRef('https://schema.org/countriesNotSupported')
countriesSupported: URIRef = rdflib.term.URIRef('https://schema.org/countriesSupported')
countryOfAssembly: URIRef = rdflib.term.URIRef('https://schema.org/countryOfAssembly')
countryOfLastProcessing: URIRef = rdflib.term.URIRef('https://schema.org/countryOfLastProcessing')
countryOfOrigin: URIRef = rdflib.term.URIRef('https://schema.org/countryOfOrigin')
course: URIRef = rdflib.term.URIRef('https://schema.org/course')
courseCode: URIRef = rdflib.term.URIRef('https://schema.org/courseCode')
courseMode: URIRef = rdflib.term.URIRef('https://schema.org/courseMode')
coursePrerequisites: URIRef = rdflib.term.URIRef('https://schema.org/coursePrerequisites')
courseWorkload: URIRef = rdflib.term.URIRef('https://schema.org/courseWorkload')
coverageEndTime: URIRef = rdflib.term.URIRef('https://schema.org/coverageEndTime')
coverageStartTime: URIRef = rdflib.term.URIRef('https://schema.org/coverageStartTime')
creativeWorkStatus: URIRef = rdflib.term.URIRef('https://schema.org/creativeWorkStatus')
creator: URIRef = rdflib.term.URIRef('https://schema.org/creator')
credentialCategory: URIRef = rdflib.term.URIRef('https://schema.org/credentialCategory')
creditText: URIRef = rdflib.term.URIRef('https://schema.org/creditText')
creditedTo: URIRef = rdflib.term.URIRef('https://schema.org/creditedTo')
cssSelector: URIRef = rdflib.term.URIRef('https://schema.org/cssSelector')
currenciesAccepted: URIRef = rdflib.term.URIRef('https://schema.org/currenciesAccepted')
currency: URIRef = rdflib.term.URIRef('https://schema.org/currency')
currentExchangeRate: URIRef = rdflib.term.URIRef('https://schema.org/currentExchangeRate')
customer: URIRef = rdflib.term.URIRef('https://schema.org/customer')
customerRemorseReturnFees: URIRef = rdflib.term.URIRef('https://schema.org/customerRemorseReturnFees')
customerRemorseReturnLabelSource: URIRef = rdflib.term.URIRef('https://schema.org/customerRemorseReturnLabelSource')
customerRemorseReturnShippingFeesAmount: URIRef = rdflib.term.URIRef('https://schema.org/customerRemorseReturnShippingFeesAmount')
cutoffTime: URIRef = rdflib.term.URIRef('https://schema.org/cutoffTime')
cvdCollectionDate: URIRef = rdflib.term.URIRef('https://schema.org/cvdCollectionDate')
cvdFacilityCounty: URIRef = rdflib.term.URIRef('https://schema.org/cvdFacilityCounty')
cvdFacilityId: URIRef = rdflib.term.URIRef('https://schema.org/cvdFacilityId')
cvdNumBeds: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumBeds')
cvdNumBedsOcc: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumBedsOcc')
cvdNumC19Died: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumC19Died')
cvdNumC19HOPats: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumC19HOPats')
cvdNumC19HospPats: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumC19HospPats')
cvdNumC19MechVentPats: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumC19MechVentPats')
cvdNumC19OFMechVentPats: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumC19OFMechVentPats')
cvdNumC19OverflowPats: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumC19OverflowPats')
cvdNumICUBeds: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumICUBeds')
cvdNumICUBedsOcc: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumICUBedsOcc')
cvdNumTotBeds: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumTotBeds')
cvdNumVent: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumVent')
cvdNumVentUse: URIRef = rdflib.term.URIRef('https://schema.org/cvdNumVentUse')
dataFeedElement: URIRef = rdflib.term.URIRef('https://schema.org/dataFeedElement')
dataset: URIRef = rdflib.term.URIRef('https://schema.org/dataset')
datasetTimeInterval: URIRef = rdflib.term.URIRef('https://schema.org/datasetTimeInterval')
dateCreated: URIRef = rdflib.term.URIRef('https://schema.org/dateCreated')
dateDeleted: URIRef = rdflib.term.URIRef('https://schema.org/dateDeleted')
dateIssued: URIRef = rdflib.term.URIRef('https://schema.org/dateIssued')
dateModified: URIRef = rdflib.term.URIRef('https://schema.org/dateModified')
datePosted: URIRef = rdflib.term.URIRef('https://schema.org/datePosted')
datePublished: URIRef = rdflib.term.URIRef('https://schema.org/datePublished')
dateRead: URIRef = rdflib.term.URIRef('https://schema.org/dateRead')
dateReceived: URIRef = rdflib.term.URIRef('https://schema.org/dateReceived')
dateSent: URIRef = rdflib.term.URIRef('https://schema.org/dateSent')
dateVehicleFirstRegistered: URIRef = rdflib.term.URIRef('https://schema.org/dateVehicleFirstRegistered')
dateline: URIRef = rdflib.term.URIRef('https://schema.org/dateline')
dayOfWeek: URIRef = rdflib.term.URIRef('https://schema.org/dayOfWeek')
deathDate: URIRef = rdflib.term.URIRef('https://schema.org/deathDate')
deathPlace: URIRef = rdflib.term.URIRef('https://schema.org/deathPlace')
defaultValue: URIRef = rdflib.term.URIRef('https://schema.org/defaultValue')
deliveryAddress: URIRef = rdflib.term.URIRef('https://schema.org/deliveryAddress')
deliveryLeadTime: URIRef = rdflib.term.URIRef('https://schema.org/deliveryLeadTime')
deliveryMethod: URIRef = rdflib.term.URIRef('https://schema.org/deliveryMethod')
deliveryStatus: URIRef = rdflib.term.URIRef('https://schema.org/deliveryStatus')
deliveryTime: URIRef = rdflib.term.URIRef('https://schema.org/deliveryTime')
department: URIRef = rdflib.term.URIRef('https://schema.org/department')
departureAirport: URIRef = rdflib.term.URIRef('https://schema.org/departureAirport')
departureBoatTerminal: URIRef = rdflib.term.URIRef('https://schema.org/departureBoatTerminal')
departureBusStop: URIRef = rdflib.term.URIRef('https://schema.org/departureBusStop')
departureGate: URIRef = rdflib.term.URIRef('https://schema.org/departureGate')
departurePlatform: URIRef = rdflib.term.URIRef('https://schema.org/departurePlatform')
departureStation: URIRef = rdflib.term.URIRef('https://schema.org/departureStation')
departureTerminal: URIRef = rdflib.term.URIRef('https://schema.org/departureTerminal')
departureTime: URIRef = rdflib.term.URIRef('https://schema.org/departureTime')
dependencies: URIRef = rdflib.term.URIRef('https://schema.org/dependencies')
depth: URIRef = rdflib.term.URIRef('https://schema.org/depth')
description: URIRef = rdflib.term.URIRef('https://schema.org/description')
device: URIRef = rdflib.term.URIRef('https://schema.org/device')
diagnosis: URIRef = rdflib.term.URIRef('https://schema.org/diagnosis')
diagram: URIRef = rdflib.term.URIRef('https://schema.org/diagram')
diet: URIRef = rdflib.term.URIRef('https://schema.org/diet')
dietFeatures: URIRef = rdflib.term.URIRef('https://schema.org/dietFeatures')
differentialDiagnosis: URIRef = rdflib.term.URIRef('https://schema.org/differentialDiagnosis')
directApply: URIRef = rdflib.term.URIRef('https://schema.org/directApply')
director: URIRef = rdflib.term.URIRef('https://schema.org/director')
directors: URIRef = rdflib.term.URIRef('https://schema.org/directors')
disambiguatingDescription: URIRef = rdflib.term.URIRef('https://schema.org/disambiguatingDescription')
discount: URIRef = rdflib.term.URIRef('https://schema.org/discount')
discountCode: URIRef = rdflib.term.URIRef('https://schema.org/discountCode')
discountCurrency: URIRef = rdflib.term.URIRef('https://schema.org/discountCurrency')
discusses: URIRef = rdflib.term.URIRef('https://schema.org/discusses')
discussionUrl: URIRef = rdflib.term.URIRef('https://schema.org/discussionUrl')
diseasePreventionInfo: URIRef = rdflib.term.URIRef('https://schema.org/diseasePreventionInfo')
diseaseSpreadStatistics: URIRef = rdflib.term.URIRef('https://schema.org/diseaseSpreadStatistics')
dissolutionDate: URIRef = rdflib.term.URIRef('https://schema.org/dissolutionDate')
distance: URIRef = rdflib.term.URIRef('https://schema.org/distance')
distinguishingSign: URIRef = rdflib.term.URIRef('https://schema.org/distinguishingSign')
distribution: URIRef = rdflib.term.URIRef('https://schema.org/distribution')
diversityPolicy: URIRef = rdflib.term.URIRef('https://schema.org/diversityPolicy')
diversityStaffingReport: URIRef = rdflib.term.URIRef('https://schema.org/diversityStaffingReport')
documentation: URIRef = rdflib.term.URIRef('https://schema.org/documentation')
doesNotShip: URIRef = rdflib.term.URIRef('https://schema.org/doesNotShip')
domainIncludes: URIRef = rdflib.term.URIRef('https://schema.org/domainIncludes')
domiciledMortgage: URIRef = rdflib.term.URIRef('https://schema.org/domiciledMortgage')
doorTime: URIRef = rdflib.term.URIRef('https://schema.org/doorTime')
dosageForm: URIRef = rdflib.term.URIRef('https://schema.org/dosageForm')
doseSchedule: URIRef = rdflib.term.URIRef('https://schema.org/doseSchedule')
doseUnit: URIRef = rdflib.term.URIRef('https://schema.org/doseUnit')
doseValue: URIRef = rdflib.term.URIRef('https://schema.org/doseValue')
downPayment: URIRef = rdflib.term.URIRef('https://schema.org/downPayment')
downloadUrl: URIRef = rdflib.term.URIRef('https://schema.org/downloadUrl')
downvoteCount: URIRef = rdflib.term.URIRef('https://schema.org/downvoteCount')
drainsTo: URIRef = rdflib.term.URIRef('https://schema.org/drainsTo')
driveWheelConfiguration: URIRef = rdflib.term.URIRef('https://schema.org/driveWheelConfiguration')
dropoffLocation: URIRef = rdflib.term.URIRef('https://schema.org/dropoffLocation')
dropoffTime: URIRef = rdflib.term.URIRef('https://schema.org/dropoffTime')
drug: URIRef = rdflib.term.URIRef('https://schema.org/drug')
drugClass: URIRef = rdflib.term.URIRef('https://schema.org/drugClass')
drugUnit: URIRef = rdflib.term.URIRef('https://schema.org/drugUnit')
duns: URIRef = rdflib.term.URIRef('https://schema.org/duns')
duplicateTherapy: URIRef = rdflib.term.URIRef('https://schema.org/duplicateTherapy')
duration: URIRef = rdflib.term.URIRef('https://schema.org/duration')
durationOfWarranty: URIRef = rdflib.term.URIRef('https://schema.org/durationOfWarranty')
duringMedia: URIRef = rdflib.term.URIRef('https://schema.org/duringMedia')
earlyPrepaymentPenalty: URIRef = rdflib.term.URIRef('https://schema.org/earlyPrepaymentPenalty')
editEIDR: URIRef = rdflib.term.URIRef('https://schema.org/editEIDR')
editor: URIRef = rdflib.term.URIRef('https://schema.org/editor')
eduQuestionType: URIRef = rdflib.term.URIRef('https://schema.org/eduQuestionType')
educationRequirements: URIRef = rdflib.term.URIRef('https://schema.org/educationRequirements')
educationalAlignment: URIRef = rdflib.term.URIRef('https://schema.org/educationalAlignment')
educationalCredentialAwarded: URIRef = rdflib.term.URIRef('https://schema.org/educationalCredentialAwarded')
educationalFramework: URIRef = rdflib.term.URIRef('https://schema.org/educationalFramework')
educationalLevel: URIRef = rdflib.term.URIRef('https://schema.org/educationalLevel')
educationalProgramMode: URIRef = rdflib.term.URIRef('https://schema.org/educationalProgramMode')
educationalRole: URIRef = rdflib.term.URIRef('https://schema.org/educationalRole')
educationalUse: URIRef = rdflib.term.URIRef('https://schema.org/educationalUse')
elevation: URIRef = rdflib.term.URIRef('https://schema.org/elevation')
eligibilityToWorkRequirement: URIRef = rdflib.term.URIRef('https://schema.org/eligibilityToWorkRequirement')
eligibleCustomerType: URIRef = rdflib.term.URIRef('https://schema.org/eligibleCustomerType')
eligibleDuration: URIRef = rdflib.term.URIRef('https://schema.org/eligibleDuration')
eligibleQuantity: URIRef = rdflib.term.URIRef('https://schema.org/eligibleQuantity')
eligibleRegion: URIRef = rdflib.term.URIRef('https://schema.org/eligibleRegion')
eligibleTransactionVolume: URIRef = rdflib.term.URIRef('https://schema.org/eligibleTransactionVolume')
email: URIRef = rdflib.term.URIRef('https://schema.org/email')
embedUrl: URIRef = rdflib.term.URIRef('https://schema.org/embedUrl')
embeddedTextCaption: URIRef = rdflib.term.URIRef('https://schema.org/embeddedTextCaption')
emissionsCO2: URIRef = rdflib.term.URIRef('https://schema.org/emissionsCO2')
employee: URIRef = rdflib.term.URIRef('https://schema.org/employee')
employees: URIRef = rdflib.term.URIRef('https://schema.org/employees')
employerOverview: URIRef = rdflib.term.URIRef('https://schema.org/employerOverview')
employmentType: URIRef = rdflib.term.URIRef('https://schema.org/employmentType')
employmentUnit: URIRef = rdflib.term.URIRef('https://schema.org/employmentUnit')
encodesBioChemEntity: URIRef = rdflib.term.URIRef('https://schema.org/encodesBioChemEntity')
encodesCreativeWork: URIRef = rdflib.term.URIRef('https://schema.org/encodesCreativeWork')
encoding: URIRef = rdflib.term.URIRef('https://schema.org/encoding')
encodingFormat: URIRef = rdflib.term.URIRef('https://schema.org/encodingFormat')
encodingType: URIRef = rdflib.term.URIRef('https://schema.org/encodingType')
encodings: URIRef = rdflib.term.URIRef('https://schema.org/encodings')
endDate: URIRef = rdflib.term.URIRef('https://schema.org/endDate')
endOffset: URIRef = rdflib.term.URIRef('https://schema.org/endOffset')
endTime: URIRef = rdflib.term.URIRef('https://schema.org/endTime')
endorsee: URIRef = rdflib.term.URIRef('https://schema.org/endorsee')
endorsers: URIRef = rdflib.term.URIRef('https://schema.org/endorsers')
energyEfficiencyScaleMax: URIRef = rdflib.term.URIRef('https://schema.org/energyEfficiencyScaleMax')
energyEfficiencyScaleMin: URIRef = rdflib.term.URIRef('https://schema.org/energyEfficiencyScaleMin')
engineDisplacement: URIRef = rdflib.term.URIRef('https://schema.org/engineDisplacement')
enginePower: URIRef = rdflib.term.URIRef('https://schema.org/enginePower')
engineType: URIRef = rdflib.term.URIRef('https://schema.org/engineType')
entertainmentBusiness: URIRef = rdflib.term.URIRef('https://schema.org/entertainmentBusiness')
epidemiology: URIRef = rdflib.term.URIRef('https://schema.org/epidemiology')
episode: URIRef = rdflib.term.URIRef('https://schema.org/episode')
episodeNumber: URIRef = rdflib.term.URIRef('https://schema.org/episodeNumber')
episodes: URIRef = rdflib.term.URIRef('https://schema.org/episodes')
equal: URIRef = rdflib.term.URIRef('https://schema.org/equal')
error: URIRef = rdflib.term.URIRef('https://schema.org/error')
estimatedCost: URIRef = rdflib.term.URIRef('https://schema.org/estimatedCost')
estimatedFlightDuration: URIRef = rdflib.term.URIRef('https://schema.org/estimatedFlightDuration')
estimatedSalary: URIRef = rdflib.term.URIRef('https://schema.org/estimatedSalary')
estimatesRiskOf: URIRef = rdflib.term.URIRef('https://schema.org/estimatesRiskOf')
ethicsPolicy: URIRef = rdflib.term.URIRef('https://schema.org/ethicsPolicy')
event: URIRef = rdflib.term.URIRef('https://schema.org/event')
eventAttendanceMode: URIRef = rdflib.term.URIRef('https://schema.org/eventAttendanceMode')
eventSchedule: URIRef = rdflib.term.URIRef('https://schema.org/eventSchedule')
eventStatus: URIRef = rdflib.term.URIRef('https://schema.org/eventStatus')
events: URIRef = rdflib.term.URIRef('https://schema.org/events')
evidenceLevel: URIRef = rdflib.term.URIRef('https://schema.org/evidenceLevel')
evidenceOrigin: URIRef = rdflib.term.URIRef('https://schema.org/evidenceOrigin')
exampleOfWork: URIRef = rdflib.term.URIRef('https://schema.org/exampleOfWork')
exceptDate: URIRef = rdflib.term.URIRef('https://schema.org/exceptDate')
exchangeRateSpread: URIRef = rdflib.term.URIRef('https://schema.org/exchangeRateSpread')
executableLibraryName: URIRef = rdflib.term.URIRef('https://schema.org/executableLibraryName')
exerciseCourse: URIRef = rdflib.term.URIRef('https://schema.org/exerciseCourse')
exercisePlan: URIRef = rdflib.term.URIRef('https://schema.org/exercisePlan')
exerciseRelatedDiet: URIRef = rdflib.term.URIRef('https://schema.org/exerciseRelatedDiet')
exerciseType: URIRef = rdflib.term.URIRef('https://schema.org/exerciseType')
exifData: URIRef = rdflib.term.URIRef('https://schema.org/exifData')
expectedArrivalFrom: URIRef = rdflib.term.URIRef('https://schema.org/expectedArrivalFrom')
expectedArrivalUntil: URIRef = rdflib.term.URIRef('https://schema.org/expectedArrivalUntil')
expectedPrognosis: URIRef = rdflib.term.URIRef('https://schema.org/expectedPrognosis')
expectsAcceptanceOf: URIRef = rdflib.term.URIRef('https://schema.org/expectsAcceptanceOf')
experienceInPlaceOfEducation: URIRef = rdflib.term.URIRef('https://schema.org/experienceInPlaceOfEducation')
experienceRequirements: URIRef = rdflib.term.URIRef('https://schema.org/experienceRequirements')
expertConsiderations: URIRef = rdflib.term.URIRef('https://schema.org/expertConsiderations')
expires: URIRef = rdflib.term.URIRef('https://schema.org/expires')
expressedIn: URIRef = rdflib.term.URIRef('https://schema.org/expressedIn')
familyName: URIRef = rdflib.term.URIRef('https://schema.org/familyName')
fatContent: URIRef = rdflib.term.URIRef('https://schema.org/fatContent')
faxNumber: URIRef = rdflib.term.URIRef('https://schema.org/faxNumber')
featureList: URIRef = rdflib.term.URIRef('https://schema.org/featureList')
feesAndCommissionsSpecification: URIRef = rdflib.term.URIRef('https://schema.org/feesAndCommissionsSpecification')
fiberContent: URIRef = rdflib.term.URIRef('https://schema.org/fiberContent')
fileFormat: URIRef = rdflib.term.URIRef('https://schema.org/fileFormat')
fileSize: URIRef = rdflib.term.URIRef('https://schema.org/fileSize')
financialAidEligible: URIRef = rdflib.term.URIRef('https://schema.org/financialAidEligible')
firstAppearance: URIRef = rdflib.term.URIRef('https://schema.org/firstAppearance')
firstPerformance: URIRef = rdflib.term.URIRef('https://schema.org/firstPerformance')
flightDistance: URIRef = rdflib.term.URIRef('https://schema.org/flightDistance')
flightNumber: URIRef = rdflib.term.URIRef('https://schema.org/flightNumber')
floorLevel: URIRef = rdflib.term.URIRef('https://schema.org/floorLevel')
floorLimit: URIRef = rdflib.term.URIRef('https://schema.org/floorLimit')
floorSize: URIRef = rdflib.term.URIRef('https://schema.org/floorSize')
followee: URIRef = rdflib.term.URIRef('https://schema.org/followee')
follows: URIRef = rdflib.term.URIRef('https://schema.org/follows')
followup: URIRef = rdflib.term.URIRef('https://schema.org/followup')
foodEstablishment: URIRef = rdflib.term.URIRef('https://schema.org/foodEstablishment')
foodEvent: URIRef = rdflib.term.URIRef('https://schema.org/foodEvent')
foodWarning: URIRef = rdflib.term.URIRef('https://schema.org/foodWarning')
founder: URIRef = rdflib.term.URIRef('https://schema.org/founder')
founders: URIRef = rdflib.term.URIRef('https://schema.org/founders')
foundingDate: URIRef = rdflib.term.URIRef('https://schema.org/foundingDate')
foundingLocation: URIRef = rdflib.term.URIRef('https://schema.org/foundingLocation')
free: URIRef = rdflib.term.URIRef('https://schema.org/free')
freeShippingThreshold: URIRef = rdflib.term.URIRef('https://schema.org/freeShippingThreshold')
frequency: URIRef = rdflib.term.URIRef('https://schema.org/frequency')
fromLocation: URIRef = rdflib.term.URIRef('https://schema.org/fromLocation')
fuelCapacity: URIRef = rdflib.term.URIRef('https://schema.org/fuelCapacity')
fuelConsumption: URIRef = rdflib.term.URIRef('https://schema.org/fuelConsumption')
fuelEfficiency: URIRef = rdflib.term.URIRef('https://schema.org/fuelEfficiency')
fuelType: URIRef = rdflib.term.URIRef('https://schema.org/fuelType')
functionalClass: URIRef = rdflib.term.URIRef('https://schema.org/functionalClass')
fundedItem: URIRef = rdflib.term.URIRef('https://schema.org/fundedItem')
funder: URIRef = rdflib.term.URIRef('https://schema.org/funder')
game: URIRef = rdflib.term.URIRef('https://schema.org/game')
gameItem: URIRef = rdflib.term.URIRef('https://schema.org/gameItem')
gameLocation: URIRef = rdflib.term.URIRef('https://schema.org/gameLocation')
gamePlatform: URIRef = rdflib.term.URIRef('https://schema.org/gamePlatform')
gameServer: URIRef = rdflib.term.URIRef('https://schema.org/gameServer')
gameTip: URIRef = rdflib.term.URIRef('https://schema.org/gameTip')
gender: URIRef = rdflib.term.URIRef('https://schema.org/gender')
genre: URIRef = rdflib.term.URIRef('https://schema.org/genre')
geo: URIRef = rdflib.term.URIRef('https://schema.org/geo')
geoContains: URIRef = rdflib.term.URIRef('https://schema.org/geoContains')
geoCoveredBy: URIRef = rdflib.term.URIRef('https://schema.org/geoCoveredBy')
geoCovers: URIRef = rdflib.term.URIRef('https://schema.org/geoCovers')
geoCrosses: URIRef = rdflib.term.URIRef('https://schema.org/geoCrosses')
geoDisjoint: URIRef = rdflib.term.URIRef('https://schema.org/geoDisjoint')
geoEquals: URIRef = rdflib.term.URIRef('https://schema.org/geoEquals')
geoIntersects: URIRef = rdflib.term.URIRef('https://schema.org/geoIntersects')
geoMidpoint: URIRef = rdflib.term.URIRef('https://schema.org/geoMidpoint')
geoOverlaps: URIRef = rdflib.term.URIRef('https://schema.org/geoOverlaps')
geoRadius: URIRef = rdflib.term.URIRef('https://schema.org/geoRadius')
geoTouches: URIRef = rdflib.term.URIRef('https://schema.org/geoTouches')
geoWithin: URIRef = rdflib.term.URIRef('https://schema.org/geoWithin')
geographicArea: URIRef = rdflib.term.URIRef('https://schema.org/geographicArea')
gettingTestedInfo: URIRef = rdflib.term.URIRef('https://schema.org/gettingTestedInfo')
givenName: URIRef = rdflib.term.URIRef('https://schema.org/givenName')
globalLocationNumber: URIRef = rdflib.term.URIRef('https://schema.org/globalLocationNumber')
governmentBenefitsInfo: URIRef = rdflib.term.URIRef('https://schema.org/governmentBenefitsInfo')
gracePeriod: URIRef = rdflib.term.URIRef('https://schema.org/gracePeriod')
grantee: URIRef = rdflib.term.URIRef('https://schema.org/grantee')
greater: URIRef = rdflib.term.URIRef('https://schema.org/greater')
greaterOrEqual: URIRef = rdflib.term.URIRef('https://schema.org/greaterOrEqual')
gtin: URIRef = rdflib.term.URIRef('https://schema.org/gtin')
gtin12: URIRef = rdflib.term.URIRef('https://schema.org/gtin12')
gtin13: URIRef = rdflib.term.URIRef('https://schema.org/gtin13')
gtin14: URIRef = rdflib.term.URIRef('https://schema.org/gtin14')
gtin8: URIRef = rdflib.term.URIRef('https://schema.org/gtin8')
guideline: URIRef = rdflib.term.URIRef('https://schema.org/guideline')
guidelineDate: URIRef = rdflib.term.URIRef('https://schema.org/guidelineDate')
guidelineSubject: URIRef = rdflib.term.URIRef('https://schema.org/guidelineSubject')
handlingTime: URIRef = rdflib.term.URIRef('https://schema.org/handlingTime')
hasBioChemEntityPart: URIRef = rdflib.term.URIRef('https://schema.org/hasBioChemEntityPart')
hasBioPolymerSequence: URIRef = rdflib.term.URIRef('https://schema.org/hasBioPolymerSequence')
hasBroadcastChannel: URIRef = rdflib.term.URIRef('https://schema.org/hasBroadcastChannel')
hasCategoryCode: URIRef = rdflib.term.URIRef('https://schema.org/hasCategoryCode')
hasCourse: URIRef = rdflib.term.URIRef('https://schema.org/hasCourse')
hasCourseInstance: URIRef = rdflib.term.URIRef('https://schema.org/hasCourseInstance')
hasCredential: URIRef = rdflib.term.URIRef('https://schema.org/hasCredential')
hasDefinedTerm: URIRef = rdflib.term.URIRef('https://schema.org/hasDefinedTerm')
hasDeliveryMethod: URIRef = rdflib.term.URIRef('https://schema.org/hasDeliveryMethod')
hasDigitalDocumentPermission: URIRef = rdflib.term.URIRef('https://schema.org/hasDigitalDocumentPermission')
hasDriveThroughService: URIRef = rdflib.term.URIRef('https://schema.org/hasDriveThroughService')
hasEnergyConsumptionDetails: URIRef = rdflib.term.URIRef('https://schema.org/hasEnergyConsumptionDetails')
hasEnergyEfficiencyCategory: URIRef = rdflib.term.URIRef('https://schema.org/hasEnergyEfficiencyCategory')
hasHealthAspect: URIRef = rdflib.term.URIRef('https://schema.org/hasHealthAspect')
hasMap: URIRef = rdflib.term.URIRef('https://schema.org/hasMap')
hasMeasurement: URIRef = rdflib.term.URIRef('https://schema.org/hasMeasurement')
hasMenu: URIRef = rdflib.term.URIRef('https://schema.org/hasMenu')
hasMenuItem: URIRef = rdflib.term.URIRef('https://schema.org/hasMenuItem')
hasMenuSection: URIRef = rdflib.term.URIRef('https://schema.org/hasMenuSection')
hasMerchantReturnPolicy: URIRef = rdflib.term.URIRef('https://schema.org/hasMerchantReturnPolicy')
hasMolecularFunction: URIRef = rdflib.term.URIRef('https://schema.org/hasMolecularFunction')
hasOccupation: URIRef = rdflib.term.URIRef('https://schema.org/hasOccupation')
hasOfferCatalog: URIRef = rdflib.term.URIRef('https://schema.org/hasOfferCatalog')
hasPOS: URIRef = rdflib.term.URIRef('https://schema.org/hasPOS')
hasPart: URIRef = rdflib.term.URIRef('https://schema.org/hasPart')
hasRepresentation: URIRef = rdflib.term.URIRef('https://schema.org/hasRepresentation')
hasVariant: URIRef = rdflib.term.URIRef('https://schema.org/hasVariant')
headline: URIRef = rdflib.term.URIRef('https://schema.org/headline')
healthCondition: URIRef = rdflib.term.URIRef('https://schema.org/healthCondition')
healthPlanCoinsuranceOption: URIRef = rdflib.term.URIRef('https://schema.org/healthPlanCoinsuranceOption')
healthPlanCoinsuranceRate: URIRef = rdflib.term.URIRef('https://schema.org/healthPlanCoinsuranceRate')
healthPlanCopay: URIRef = rdflib.term.URIRef('https://schema.org/healthPlanCopay')
healthPlanCopayOption: URIRef = rdflib.term.URIRef('https://schema.org/healthPlanCopayOption')
healthPlanCostSharing: URIRef = rdflib.term.URIRef('https://schema.org/healthPlanCostSharing')
healthPlanDrugOption: URIRef = rdflib.term.URIRef('https://schema.org/healthPlanDrugOption')
healthPlanDrugTier: URIRef = rdflib.term.URIRef('https://schema.org/healthPlanDrugTier')
healthPlanId: URIRef = rdflib.term.URIRef('https://schema.org/healthPlanId')
healthPlanMarketingUrl: URIRef = rdflib.term.URIRef('https://schema.org/healthPlanMarketingUrl')
healthPlanNetworkId: URIRef = rdflib.term.URIRef('https://schema.org/healthPlanNetworkId')
healthPlanNetworkTier: URIRef = rdflib.term.URIRef('https://schema.org/healthPlanNetworkTier')
healthPlanPharmacyCategory: URIRef = rdflib.term.URIRef('https://schema.org/healthPlanPharmacyCategory')
healthcareReportingData: URIRef = rdflib.term.URIRef('https://schema.org/healthcareReportingData')
height: URIRef = rdflib.term.URIRef('https://schema.org/height')
highPrice: URIRef = rdflib.term.URIRef('https://schema.org/highPrice')
hiringOrganization: URIRef = rdflib.term.URIRef('https://schema.org/hiringOrganization')
holdingArchive: URIRef = rdflib.term.URIRef('https://schema.org/holdingArchive')
homeLocation: URIRef = rdflib.term.URIRef('https://schema.org/homeLocation')
homeTeam: URIRef = rdflib.term.URIRef('https://schema.org/homeTeam')
honorificPrefix: URIRef = rdflib.term.URIRef('https://schema.org/honorificPrefix')
honorificSuffix: URIRef = rdflib.term.URIRef('https://schema.org/honorificSuffix')
hospitalAffiliation: URIRef = rdflib.term.URIRef('https://schema.org/hospitalAffiliation')
hostingOrganization: URIRef = rdflib.term.URIRef('https://schema.org/hostingOrganization')
hoursAvailable: URIRef = rdflib.term.URIRef('https://schema.org/hoursAvailable')
howPerformed: URIRef = rdflib.term.URIRef('https://schema.org/howPerformed')
httpMethod: URIRef = rdflib.term.URIRef('https://schema.org/httpMethod')
iataCode: URIRef = rdflib.term.URIRef('https://schema.org/iataCode')
icaoCode: URIRef = rdflib.term.URIRef('https://schema.org/icaoCode')
identifier: URIRef = rdflib.term.URIRef('https://schema.org/identifier')
identifyingExam: URIRef = rdflib.term.URIRef('https://schema.org/identifyingExam')
identifyingTest: URIRef = rdflib.term.URIRef('https://schema.org/identifyingTest')
illustrator: URIRef = rdflib.term.URIRef('https://schema.org/illustrator')
image: URIRef = rdflib.term.URIRef('https://schema.org/image')
imagingTechnique: URIRef = rdflib.term.URIRef('https://schema.org/imagingTechnique')
inAlbum: URIRef = rdflib.term.URIRef('https://schema.org/inAlbum')
inBroadcastLineup: URIRef = rdflib.term.URIRef('https://schema.org/inBroadcastLineup')
inChI: URIRef = rdflib.term.URIRef('https://schema.org/inChI')
inChIKey: URIRef = rdflib.term.URIRef('https://schema.org/inChIKey')
inCodeSet: URIRef = rdflib.term.URIRef('https://schema.org/inCodeSet')
inDefinedTermSet: URIRef = rdflib.term.URIRef('https://schema.org/inDefinedTermSet')
inLanguage: URIRef = rdflib.term.URIRef('https://schema.org/inLanguage')
inPlaylist: URIRef = rdflib.term.URIRef('https://schema.org/inPlaylist')
inProductGroupWithID: URIRef = rdflib.term.URIRef('https://schema.org/inProductGroupWithID')
inStoreReturnsOffered: URIRef = rdflib.term.URIRef('https://schema.org/inStoreReturnsOffered')
inSupportOf: URIRef = rdflib.term.URIRef('https://schema.org/inSupportOf')
incentiveCompensation: URIRef = rdflib.term.URIRef('https://schema.org/incentiveCompensation')
incentives: URIRef = rdflib.term.URIRef('https://schema.org/incentives')
includedComposition: URIRef = rdflib.term.URIRef('https://schema.org/includedComposition')
includedDataCatalog: URIRef = rdflib.term.URIRef('https://schema.org/includedDataCatalog')
includedInDataCatalog: URIRef = rdflib.term.URIRef('https://schema.org/includedInDataCatalog')
includedInHealthInsurancePlan: URIRef = rdflib.term.URIRef('https://schema.org/includedInHealthInsurancePlan')
includedRiskFactor: URIRef = rdflib.term.URIRef('https://schema.org/includedRiskFactor')
includesAttraction: URIRef = rdflib.term.URIRef('https://schema.org/includesAttraction')
includesHealthPlanFormulary: URIRef = rdflib.term.URIRef('https://schema.org/includesHealthPlanFormulary')
includesHealthPlanNetwork: URIRef = rdflib.term.URIRef('https://schema.org/includesHealthPlanNetwork')
includesObject: URIRef = rdflib.term.URIRef('https://schema.org/includesObject')
increasesRiskOf: URIRef = rdflib.term.URIRef('https://schema.org/increasesRiskOf')
industry: URIRef = rdflib.term.URIRef('https://schema.org/industry')
ineligibleRegion: URIRef = rdflib.term.URIRef('https://schema.org/ineligibleRegion')
infectiousAgent: URIRef = rdflib.term.URIRef('https://schema.org/infectiousAgent')
infectiousAgentClass: URIRef = rdflib.term.URIRef('https://schema.org/infectiousAgentClass')
ingredients: URIRef = rdflib.term.URIRef('https://schema.org/ingredients')
inker: URIRef = rdflib.term.URIRef('https://schema.org/inker')
insertion: URIRef = rdflib.term.URIRef('https://schema.org/insertion')
installUrl: URIRef = rdflib.term.URIRef('https://schema.org/installUrl')
instructor: URIRef = rdflib.term.URIRef('https://schema.org/instructor')
instrument: URIRef = rdflib.term.URIRef('https://schema.org/instrument')
intensity: URIRef = rdflib.term.URIRef('https://schema.org/intensity')
interactingDrug: URIRef = rdflib.term.URIRef('https://schema.org/interactingDrug')
interactionCount: URIRef = rdflib.term.URIRef('https://schema.org/interactionCount')
interactionService: URIRef = rdflib.term.URIRef('https://schema.org/interactionService')
interactionStatistic: URIRef = rdflib.term.URIRef('https://schema.org/interactionStatistic')
interactionType: URIRef = rdflib.term.URIRef('https://schema.org/interactionType')
interactivityType: URIRef = rdflib.term.URIRef('https://schema.org/interactivityType')
interestRate: URIRef = rdflib.term.URIRef('https://schema.org/interestRate')
interpretedAsClaim: URIRef = rdflib.term.URIRef('https://schema.org/interpretedAsClaim')
inventoryLevel: URIRef = rdflib.term.URIRef('https://schema.org/inventoryLevel')
inverseOf: URIRef = rdflib.term.URIRef('https://schema.org/inverseOf')
isAcceptingNewPatients: URIRef = rdflib.term.URIRef('https://schema.org/isAcceptingNewPatients')
isAccessibleForFree: URIRef = rdflib.term.URIRef('https://schema.org/isAccessibleForFree')
isAccessoryOrSparePartFor: URIRef = rdflib.term.URIRef('https://schema.org/isAccessoryOrSparePartFor')
isAvailableGenerically: URIRef = rdflib.term.URIRef('https://schema.org/isAvailableGenerically')
isBasedOn: URIRef = rdflib.term.URIRef('https://schema.org/isBasedOn')
isBasedOnUrl: URIRef = rdflib.term.URIRef('https://schema.org/isBasedOnUrl')
isConsumableFor: URIRef = rdflib.term.URIRef('https://schema.org/isConsumableFor')
isEncodedByBioChemEntity: URIRef = rdflib.term.URIRef('https://schema.org/isEncodedByBioChemEntity')
isFamilyFriendly: URIRef = rdflib.term.URIRef('https://schema.org/isFamilyFriendly')
isGift: URIRef = rdflib.term.URIRef('https://schema.org/isGift')
isInvolvedInBiologicalProcess: URIRef = rdflib.term.URIRef('https://schema.org/isInvolvedInBiologicalProcess')
isLiveBroadcast: URIRef = rdflib.term.URIRef('https://schema.org/isLiveBroadcast')
isLocatedInSubcellularLocation: URIRef = rdflib.term.URIRef('https://schema.org/isLocatedInSubcellularLocation')
isPartOf: URIRef = rdflib.term.URIRef('https://schema.org/isPartOf')
isPartOfBioChemEntity: URIRef = rdflib.term.URIRef('https://schema.org/isPartOfBioChemEntity')
isPlanForApartment: URIRef = rdflib.term.URIRef('https://schema.org/isPlanForApartment')
isProprietary: URIRef = rdflib.term.URIRef('https://schema.org/isProprietary')
isRelatedTo: URIRef = rdflib.term.URIRef('https://schema.org/isRelatedTo')
isResizable: URIRef = rdflib.term.URIRef('https://schema.org/isResizable')
isSimilarTo: URIRef = rdflib.term.URIRef('https://schema.org/isSimilarTo')
isUnlabelledFallback: URIRef = rdflib.term.URIRef('https://schema.org/isUnlabelledFallback')
isVariantOf: URIRef = rdflib.term.URIRef('https://schema.org/isVariantOf')
isbn: URIRef = rdflib.term.URIRef('https://schema.org/isbn')
isicV4: URIRef = rdflib.term.URIRef('https://schema.org/isicV4')
isrcCode: URIRef = rdflib.term.URIRef('https://schema.org/isrcCode')
issn: URIRef = rdflib.term.URIRef('https://schema.org/issn')
issueNumber: URIRef = rdflib.term.URIRef('https://schema.org/issueNumber')
issuedBy: URIRef = rdflib.term.URIRef('https://schema.org/issuedBy')
issuedThrough: URIRef = rdflib.term.URIRef('https://schema.org/issuedThrough')
iswcCode: URIRef = rdflib.term.URIRef('https://schema.org/iswcCode')
item: URIRef = rdflib.term.URIRef('https://schema.org/item')
itemCondition: URIRef = rdflib.term.URIRef('https://schema.org/itemCondition')
itemDefectReturnFees: URIRef = rdflib.term.URIRef('https://schema.org/itemDefectReturnFees')
itemDefectReturnLabelSource: URIRef = rdflib.term.URIRef('https://schema.org/itemDefectReturnLabelSource')
itemDefectReturnShippingFeesAmount: URIRef = rdflib.term.URIRef('https://schema.org/itemDefectReturnShippingFeesAmount')
itemListElement: URIRef = rdflib.term.URIRef('https://schema.org/itemListElement')
itemListOrder: URIRef = rdflib.term.URIRef('https://schema.org/itemListOrder')
itemLocation: URIRef = rdflib.term.URIRef('https://schema.org/itemLocation')
itemOffered: URIRef = rdflib.term.URIRef('https://schema.org/itemOffered')
itemReviewed: URIRef = rdflib.term.URIRef('https://schema.org/itemReviewed')
itemShipped: URIRef = rdflib.term.URIRef('https://schema.org/itemShipped')
itinerary: URIRef = rdflib.term.URIRef('https://schema.org/itinerary')
iupacName: URIRef = rdflib.term.URIRef('https://schema.org/iupacName')
jobBenefits: URIRef = rdflib.term.URIRef('https://schema.org/jobBenefits')
jobImmediateStart: URIRef = rdflib.term.URIRef('https://schema.org/jobImmediateStart')
jobLocation: URIRef = rdflib.term.URIRef('https://schema.org/jobLocation')
jobLocationType: URIRef = rdflib.term.URIRef('https://schema.org/jobLocationType')
jobStartDate: URIRef = rdflib.term.URIRef('https://schema.org/jobStartDate')
jobTitle: URIRef = rdflib.term.URIRef('https://schema.org/jobTitle')
jurisdiction: URIRef = rdflib.term.URIRef('https://schema.org/jurisdiction')
keywords: URIRef = rdflib.term.URIRef('https://schema.org/keywords')
knownVehicleDamages: URIRef = rdflib.term.URIRef('https://schema.org/knownVehicleDamages')
knows: URIRef = rdflib.term.URIRef('https://schema.org/knows')
knowsAbout: URIRef = rdflib.term.URIRef('https://schema.org/knowsAbout')
knowsLanguage: URIRef = rdflib.term.URIRef('https://schema.org/knowsLanguage')
labelDetails: URIRef = rdflib.term.URIRef('https://schema.org/labelDetails')
landlord: URIRef = rdflib.term.URIRef('https://schema.org/landlord')
language: URIRef = rdflib.term.URIRef('https://schema.org/language')
lastReviewed: URIRef = rdflib.term.URIRef('https://schema.org/lastReviewed')
latitude: URIRef = rdflib.term.URIRef('https://schema.org/latitude')
layoutImage: URIRef = rdflib.term.URIRef('https://schema.org/layoutImage')
learningResourceType: URIRef = rdflib.term.URIRef('https://schema.org/learningResourceType')
leaseLength: URIRef = rdflib.term.URIRef('https://schema.org/leaseLength')
legalName: URIRef = rdflib.term.URIRef('https://schema.org/legalName')
legalStatus: URIRef = rdflib.term.URIRef('https://schema.org/legalStatus')
legislationApplies: URIRef = rdflib.term.URIRef('https://schema.org/legislationApplies')
legislationChanges: URIRef = rdflib.term.URIRef('https://schema.org/legislationChanges')
legislationConsolidates: URIRef = rdflib.term.URIRef('https://schema.org/legislationConsolidates')
legislationDate: URIRef = rdflib.term.URIRef('https://schema.org/legislationDate')
legislationDateVersion: URIRef = rdflib.term.URIRef('https://schema.org/legislationDateVersion')
legislationIdentifier: URIRef = rdflib.term.URIRef('https://schema.org/legislationIdentifier')
legislationJurisdiction: URIRef = rdflib.term.URIRef('https://schema.org/legislationJurisdiction')
legislationLegalForce: URIRef = rdflib.term.URIRef('https://schema.org/legislationLegalForce')
legislationLegalValue: URIRef = rdflib.term.URIRef('https://schema.org/legislationLegalValue')
legislationPassedBy: URIRef = rdflib.term.URIRef('https://schema.org/legislationPassedBy')
legislationResponsible: URIRef = rdflib.term.URIRef('https://schema.org/legislationResponsible')
legislationTransposes: URIRef = rdflib.term.URIRef('https://schema.org/legislationTransposes')
legislationType: URIRef = rdflib.term.URIRef('https://schema.org/legislationType')
leiCode: URIRef = rdflib.term.URIRef('https://schema.org/leiCode')
lender: URIRef = rdflib.term.URIRef('https://schema.org/lender')
lesser: URIRef = rdflib.term.URIRef('https://schema.org/lesser')
lesserOrEqual: URIRef = rdflib.term.URIRef('https://schema.org/lesserOrEqual')
letterer: URIRef = rdflib.term.URIRef('https://schema.org/letterer')
license: URIRef = rdflib.term.URIRef('https://schema.org/license')
line: URIRef = rdflib.term.URIRef('https://schema.org/line')
linkRelationship: URIRef = rdflib.term.URIRef('https://schema.org/linkRelationship')
liveBlogUpdate: URIRef = rdflib.term.URIRef('https://schema.org/liveBlogUpdate')
loanMortgageMandateAmount: URIRef = rdflib.term.URIRef('https://schema.org/loanMortgageMandateAmount')
loanPaymentAmount: URIRef = rdflib.term.URIRef('https://schema.org/loanPaymentAmount')
loanPaymentFrequency: URIRef = rdflib.term.URIRef('https://schema.org/loanPaymentFrequency')
loanRepaymentForm: URIRef = rdflib.term.URIRef('https://schema.org/loanRepaymentForm')
loanTerm: URIRef = rdflib.term.URIRef('https://schema.org/loanTerm')
loanType: URIRef = rdflib.term.URIRef('https://schema.org/loanType')
location: URIRef = rdflib.term.URIRef('https://schema.org/location')
locationCreated: URIRef = rdflib.term.URIRef('https://schema.org/locationCreated')
lodgingUnitDescription: URIRef = rdflib.term.URIRef('https://schema.org/lodgingUnitDescription')
lodgingUnitType: URIRef = rdflib.term.URIRef('https://schema.org/lodgingUnitType')
longitude: URIRef = rdflib.term.URIRef('https://schema.org/longitude')
loser: URIRef = rdflib.term.URIRef('https://schema.org/loser')
lowPrice: URIRef = rdflib.term.URIRef('https://schema.org/lowPrice')
lyricist: URIRef = rdflib.term.URIRef('https://schema.org/lyricist')
lyrics: URIRef = rdflib.term.URIRef('https://schema.org/lyrics')
mainContentOfPage: URIRef = rdflib.term.URIRef('https://schema.org/mainContentOfPage')
mainEntity: URIRef = rdflib.term.URIRef('https://schema.org/mainEntity')
mainEntityOfPage: URIRef = rdflib.term.URIRef('https://schema.org/mainEntityOfPage')
maintainer: URIRef = rdflib.term.URIRef('https://schema.org/maintainer')
makesOffer: URIRef = rdflib.term.URIRef('https://schema.org/makesOffer')
manufacturer: URIRef = rdflib.term.URIRef('https://schema.org/manufacturer')
map: URIRef = rdflib.term.URIRef('https://schema.org/map')
mapType: URIRef = rdflib.term.URIRef('https://schema.org/mapType')
maps: URIRef = rdflib.term.URIRef('https://schema.org/maps')
marginOfError: URIRef = rdflib.term.URIRef('https://schema.org/marginOfError')
masthead: URIRef = rdflib.term.URIRef('https://schema.org/masthead')
material: URIRef = rdflib.term.URIRef('https://schema.org/material')
materialExtent: URIRef = rdflib.term.URIRef('https://schema.org/materialExtent')
mathExpression: URIRef = rdflib.term.URIRef('https://schema.org/mathExpression')
maxPrice: URIRef = rdflib.term.URIRef('https://schema.org/maxPrice')
maxValue: URIRef = rdflib.term.URIRef('https://schema.org/maxValue')
maximumAttendeeCapacity: URIRef = rdflib.term.URIRef('https://schema.org/maximumAttendeeCapacity')
maximumEnrollment: URIRef = rdflib.term.URIRef('https://schema.org/maximumEnrollment')
maximumIntake: URIRef = rdflib.term.URIRef('https://schema.org/maximumIntake')
maximumPhysicalAttendeeCapacity: URIRef = rdflib.term.URIRef('https://schema.org/maximumPhysicalAttendeeCapacity')
maximumVirtualAttendeeCapacity: URIRef = rdflib.term.URIRef('https://schema.org/maximumVirtualAttendeeCapacity')
mealService: URIRef = rdflib.term.URIRef('https://schema.org/mealService')
measuredProperty: URIRef = rdflib.term.URIRef('https://schema.org/measuredProperty')
measuredValue: URIRef = rdflib.term.URIRef('https://schema.org/measuredValue')
measurementTechnique: URIRef = rdflib.term.URIRef('https://schema.org/measurementTechnique')
mechanismOfAction: URIRef = rdflib.term.URIRef('https://schema.org/mechanismOfAction')
mediaAuthenticityCategory: URIRef = rdflib.term.URIRef('https://schema.org/mediaAuthenticityCategory')
mediaItemAppearance: URIRef = rdflib.term.URIRef('https://schema.org/mediaItemAppearance')
median: URIRef = rdflib.term.URIRef('https://schema.org/median')
medicalAudience: URIRef = rdflib.term.URIRef('https://schema.org/medicalAudience')
medicalSpecialty: URIRef = rdflib.term.URIRef('https://schema.org/medicalSpecialty')
medicineSystem: URIRef = rdflib.term.URIRef('https://schema.org/medicineSystem')
meetsEmissionStandard: URIRef = rdflib.term.URIRef('https://schema.org/meetsEmissionStandard')
member: URIRef = rdflib.term.URIRef('https://schema.org/member')
memberOf: URIRef = rdflib.term.URIRef('https://schema.org/memberOf')
members: URIRef = rdflib.term.URIRef('https://schema.org/members')
membershipNumber: URIRef = rdflib.term.URIRef('https://schema.org/membershipNumber')
membershipPointsEarned: URIRef = rdflib.term.URIRef('https://schema.org/membershipPointsEarned')
memoryRequirements: URIRef = rdflib.term.URIRef('https://schema.org/memoryRequirements')
mentions: URIRef = rdflib.term.URIRef('https://schema.org/mentions')
menu: URIRef = rdflib.term.URIRef('https://schema.org/menu')
menuAddOn: URIRef = rdflib.term.URIRef('https://schema.org/menuAddOn')
merchant: URIRef = rdflib.term.URIRef('https://schema.org/merchant')
merchantReturnDays: URIRef = rdflib.term.URIRef('https://schema.org/merchantReturnDays')
messageAttachment: URIRef = rdflib.term.URIRef('https://schema.org/messageAttachment')
mileageFromOdometer: URIRef = rdflib.term.URIRef('https://schema.org/mileageFromOdometer')
minPrice: URIRef = rdflib.term.URIRef('https://schema.org/minPrice')
minValue: URIRef = rdflib.term.URIRef('https://schema.org/minValue')
minimumPaymentDue: URIRef = rdflib.term.URIRef('https://schema.org/minimumPaymentDue')
missionCoveragePrioritiesPolicy: URIRef = rdflib.term.URIRef('https://schema.org/missionCoveragePrioritiesPolicy')
model: URIRef = rdflib.term.URIRef('https://schema.org/model')
modelDate: URIRef = rdflib.term.URIRef('https://schema.org/modelDate')
modifiedTime: URIRef = rdflib.term.URIRef('https://schema.org/modifiedTime')
molecularFormula: URIRef = rdflib.term.URIRef('https://schema.org/molecularFormula')
molecularWeight: URIRef = rdflib.term.URIRef('https://schema.org/molecularWeight')
monoisotopicMolecularWeight: URIRef = rdflib.term.URIRef('https://schema.org/monoisotopicMolecularWeight')
monthlyMinimumRepaymentAmount: URIRef = rdflib.term.URIRef('https://schema.org/monthlyMinimumRepaymentAmount')
monthsOfExperience: URIRef = rdflib.term.URIRef('https://schema.org/monthsOfExperience')
mpn: URIRef = rdflib.term.URIRef('https://schema.org/mpn')
multipleValues: URIRef = rdflib.term.URIRef('https://schema.org/multipleValues')
muscleAction: URIRef = rdflib.term.URIRef('https://schema.org/muscleAction')
musicArrangement: URIRef = rdflib.term.URIRef('https://schema.org/musicArrangement')
musicBy: URIRef = rdflib.term.URIRef('https://schema.org/musicBy')
musicCompositionForm: URIRef = rdflib.term.URIRef('https://schema.org/musicCompositionForm')
musicGroupMember: URIRef = rdflib.term.URIRef('https://schema.org/musicGroupMember')
musicReleaseFormat: URIRef = rdflib.term.URIRef('https://schema.org/musicReleaseFormat')
musicalKey: URIRef = rdflib.term.URIRef('https://schema.org/musicalKey')
naics: URIRef = rdflib.term.URIRef('https://schema.org/naics')
name: URIRef = rdflib.term.URIRef('https://schema.org/name')
namedPosition: URIRef = rdflib.term.URIRef('https://schema.org/namedPosition')
nationality: URIRef = rdflib.term.URIRef('https://schema.org/nationality')
naturalProgression: URIRef = rdflib.term.URIRef('https://schema.org/naturalProgression')
negativeNotes: URIRef = rdflib.term.URIRef('https://schema.org/negativeNotes')
nerve: URIRef = rdflib.term.URIRef('https://schema.org/nerve')
nerveMotor: URIRef = rdflib.term.URIRef('https://schema.org/nerveMotor')
netWorth: URIRef = rdflib.term.URIRef('https://schema.org/netWorth')
newsUpdatesAndGuidelines: URIRef = rdflib.term.URIRef('https://schema.org/newsUpdatesAndGuidelines')
nextItem: URIRef = rdflib.term.URIRef('https://schema.org/nextItem')
noBylinesPolicy: URIRef = rdflib.term.URIRef('https://schema.org/noBylinesPolicy')
nonEqual: URIRef = rdflib.term.URIRef('https://schema.org/nonEqual')
nonProprietaryName: URIRef = rdflib.term.URIRef('https://schema.org/nonProprietaryName')
nonprofitStatus: URIRef = rdflib.term.URIRef('https://schema.org/nonprofitStatus')
normalRange: URIRef = rdflib.term.URIRef('https://schema.org/normalRange')
nsn: URIRef = rdflib.term.URIRef('https://schema.org/nsn')
numAdults: URIRef = rdflib.term.URIRef('https://schema.org/numAdults')
numChildren: URIRef = rdflib.term.URIRef('https://schema.org/numChildren')
numConstraints: URIRef = rdflib.term.URIRef('https://schema.org/numConstraints')
numTracks: URIRef = rdflib.term.URIRef('https://schema.org/numTracks')
numberOfAccommodationUnits: URIRef = rdflib.term.URIRef('https://schema.org/numberOfAccommodationUnits')
numberOfAirbags: URIRef = rdflib.term.URIRef('https://schema.org/numberOfAirbags')
numberOfAvailableAccommodationUnits: URIRef = rdflib.term.URIRef('https://schema.org/numberOfAvailableAccommodationUnits')
numberOfAxles: URIRef = rdflib.term.URIRef('https://schema.org/numberOfAxles')
numberOfBathroomsTotal: URIRef = rdflib.term.URIRef('https://schema.org/numberOfBathroomsTotal')
numberOfBedrooms: URIRef = rdflib.term.URIRef('https://schema.org/numberOfBedrooms')
numberOfBeds: URIRef = rdflib.term.URIRef('https://schema.org/numberOfBeds')
numberOfCredits: URIRef = rdflib.term.URIRef('https://schema.org/numberOfCredits')
numberOfDoors: URIRef = rdflib.term.URIRef('https://schema.org/numberOfDoors')
numberOfEmployees: URIRef = rdflib.term.URIRef('https://schema.org/numberOfEmployees')
numberOfEpisodes: URIRef = rdflib.term.URIRef('https://schema.org/numberOfEpisodes')
numberOfForwardGears: URIRef = rdflib.term.URIRef('https://schema.org/numberOfForwardGears')
numberOfFullBathrooms: URIRef = rdflib.term.URIRef('https://schema.org/numberOfFullBathrooms')
numberOfItems: URIRef = rdflib.term.URIRef('https://schema.org/numberOfItems')
numberOfLoanPayments: URIRef = rdflib.term.URIRef('https://schema.org/numberOfLoanPayments')
numberOfPages: URIRef = rdflib.term.URIRef('https://schema.org/numberOfPages')
numberOfPartialBathrooms: URIRef = rdflib.term.URIRef('https://schema.org/numberOfPartialBathrooms')
numberOfPlayers: URIRef = rdflib.term.URIRef('https://schema.org/numberOfPlayers')
numberOfPreviousOwners: URIRef = rdflib.term.URIRef('https://schema.org/numberOfPreviousOwners')
numberOfRooms: URIRef = rdflib.term.URIRef('https://schema.org/numberOfRooms')
numberOfSeasons: URIRef = rdflib.term.URIRef('https://schema.org/numberOfSeasons')
numberedPosition: URIRef = rdflib.term.URIRef('https://schema.org/numberedPosition')
nutrition: URIRef = rdflib.term.URIRef('https://schema.org/nutrition')
object: URIRef = rdflib.term.URIRef('https://schema.org/object')
observationDate: URIRef = rdflib.term.URIRef('https://schema.org/observationDate')
observedNode: URIRef = rdflib.term.URIRef('https://schema.org/observedNode')
occupancy: URIRef = rdflib.term.URIRef('https://schema.org/occupancy')
occupationLocation: URIRef = rdflib.term.URIRef('https://schema.org/occupationLocation')
occupationalCategory: URIRef = rdflib.term.URIRef('https://schema.org/occupationalCategory')
occupationalCredentialAwarded: URIRef = rdflib.term.URIRef('https://schema.org/occupationalCredentialAwarded')
offerCount: URIRef = rdflib.term.URIRef('https://schema.org/offerCount')
offeredBy: URIRef = rdflib.term.URIRef('https://schema.org/offeredBy')
offers: URIRef = rdflib.term.URIRef('https://schema.org/offers')
offersPrescriptionByMail: URIRef = rdflib.term.URIRef('https://schema.org/offersPrescriptionByMail')
openingHours: URIRef = rdflib.term.URIRef('https://schema.org/openingHours')
openingHoursSpecification: URIRef = rdflib.term.URIRef('https://schema.org/openingHoursSpecification')
opens: URIRef = rdflib.term.URIRef('https://schema.org/opens')
operatingSystem: URIRef = rdflib.term.URIRef('https://schema.org/operatingSystem')
opponent: URIRef = rdflib.term.URIRef('https://schema.org/opponent')
option: URIRef = rdflib.term.URIRef('https://schema.org/option')
orderDate: URIRef = rdflib.term.URIRef('https://schema.org/orderDate')
orderDelivery: URIRef = rdflib.term.URIRef('https://schema.org/orderDelivery')
orderItemNumber: URIRef = rdflib.term.URIRef('https://schema.org/orderItemNumber')
orderItemStatus: URIRef = rdflib.term.URIRef('https://schema.org/orderItemStatus')
orderNumber: URIRef = rdflib.term.URIRef('https://schema.org/orderNumber')
orderQuantity: URIRef = rdflib.term.URIRef('https://schema.org/orderQuantity')
orderStatus: URIRef = rdflib.term.URIRef('https://schema.org/orderStatus')
orderedItem: URIRef = rdflib.term.URIRef('https://schema.org/orderedItem')
organizer: URIRef = rdflib.term.URIRef('https://schema.org/organizer')
originAddress: URIRef = rdflib.term.URIRef('https://schema.org/originAddress')
originalMediaContextDescription: URIRef = rdflib.term.URIRef('https://schema.org/originalMediaContextDescription')
originatesFrom: URIRef = rdflib.term.URIRef('https://schema.org/originatesFrom')
overdosage: URIRef = rdflib.term.URIRef('https://schema.org/overdosage')
ownedFrom: URIRef = rdflib.term.URIRef('https://schema.org/ownedFrom')
ownedThrough: URIRef = rdflib.term.URIRef('https://schema.org/ownedThrough')
ownershipFundingInfo: URIRef = rdflib.term.URIRef('https://schema.org/ownershipFundingInfo')
owns: URIRef = rdflib.term.URIRef('https://schema.org/owns')
pageEnd: URIRef = rdflib.term.URIRef('https://schema.org/pageEnd')
pageStart: URIRef = rdflib.term.URIRef('https://schema.org/pageStart')
pagination: URIRef = rdflib.term.URIRef('https://schema.org/pagination')
parent: URIRef = rdflib.term.URIRef('https://schema.org/parent')
parentItem: URIRef = rdflib.term.URIRef('https://schema.org/parentItem')
parentOrganization: URIRef = rdflib.term.URIRef('https://schema.org/parentOrganization')
parentService: URIRef = rdflib.term.URIRef('https://schema.org/parentService')
parentTaxon: URIRef = rdflib.term.URIRef('https://schema.org/parentTaxon')
parents: URIRef = rdflib.term.URIRef('https://schema.org/parents')
partOfEpisode: URIRef = rdflib.term.URIRef('https://schema.org/partOfEpisode')
partOfInvoice: URIRef = rdflib.term.URIRef('https://schema.org/partOfInvoice')
partOfOrder: URIRef = rdflib.term.URIRef('https://schema.org/partOfOrder')
partOfSeason: URIRef = rdflib.term.URIRef('https://schema.org/partOfSeason')
partOfSeries: URIRef = rdflib.term.URIRef('https://schema.org/partOfSeries')
partOfSystem: URIRef = rdflib.term.URIRef('https://schema.org/partOfSystem')
partOfTVSeries: URIRef = rdflib.term.URIRef('https://schema.org/partOfTVSeries')
partOfTrip: URIRef = rdflib.term.URIRef('https://schema.org/partOfTrip')
participant: URIRef = rdflib.term.URIRef('https://schema.org/participant')
partySize: URIRef = rdflib.term.URIRef('https://schema.org/partySize')
passengerPriorityStatus: URIRef = rdflib.term.URIRef('https://schema.org/passengerPriorityStatus')
passengerSequenceNumber: URIRef = rdflib.term.URIRef('https://schema.org/passengerSequenceNumber')
pathophysiology: URIRef = rdflib.term.URIRef('https://schema.org/pathophysiology')
pattern: URIRef = rdflib.term.URIRef('https://schema.org/pattern')
payload: URIRef = rdflib.term.URIRef('https://schema.org/payload')
paymentAccepted: URIRef = rdflib.term.URIRef('https://schema.org/paymentAccepted')
paymentDue: URIRef = rdflib.term.URIRef('https://schema.org/paymentDue')
paymentDueDate: URIRef = rdflib.term.URIRef('https://schema.org/paymentDueDate')
paymentMethod: URIRef = rdflib.term.URIRef('https://schema.org/paymentMethod')
paymentMethodId: URIRef = rdflib.term.URIRef('https://schema.org/paymentMethodId')
paymentStatus: URIRef = rdflib.term.URIRef('https://schema.org/paymentStatus')
paymentUrl: URIRef = rdflib.term.URIRef('https://schema.org/paymentUrl')
penciler: URIRef = rdflib.term.URIRef('https://schema.org/penciler')
percentile10: URIRef = rdflib.term.URIRef('https://schema.org/percentile10')
percentile25: URIRef = rdflib.term.URIRef('https://schema.org/percentile25')
percentile75: URIRef = rdflib.term.URIRef('https://schema.org/percentile75')
percentile90: URIRef = rdflib.term.URIRef('https://schema.org/percentile90')
performTime: URIRef = rdflib.term.URIRef('https://schema.org/performTime')
performer: URIRef = rdflib.term.URIRef('https://schema.org/performer')
performerIn: URIRef = rdflib.term.URIRef('https://schema.org/performerIn')
performers: URIRef = rdflib.term.URIRef('https://schema.org/performers')
permissionType: URIRef = rdflib.term.URIRef('https://schema.org/permissionType')
permissions: URIRef = rdflib.term.URIRef('https://schema.org/permissions')
permitAudience: URIRef = rdflib.term.URIRef('https://schema.org/permitAudience')
permittedUsage: URIRef = rdflib.term.URIRef('https://schema.org/permittedUsage')
petsAllowed: URIRef = rdflib.term.URIRef('https://schema.org/petsAllowed')
phoneticText: URIRef = rdflib.term.URIRef('https://schema.org/phoneticText')
photo: URIRef = rdflib.term.URIRef('https://schema.org/photo')
photos: URIRef = rdflib.term.URIRef('https://schema.org/photos')
physicalRequirement: URIRef = rdflib.term.URIRef('https://schema.org/physicalRequirement')
physiologicalBenefits: URIRef = rdflib.term.URIRef('https://schema.org/physiologicalBenefits')
pickupLocation: URIRef = rdflib.term.URIRef('https://schema.org/pickupLocation')
pickupTime: URIRef = rdflib.term.URIRef('https://schema.org/pickupTime')
playMode: URIRef = rdflib.term.URIRef('https://schema.org/playMode')
playerType: URIRef = rdflib.term.URIRef('https://schema.org/playerType')
playersOnline: URIRef = rdflib.term.URIRef('https://schema.org/playersOnline')
polygon: URIRef = rdflib.term.URIRef('https://schema.org/polygon')
populationType: URIRef = rdflib.term.URIRef('https://schema.org/populationType')
position: URIRef = rdflib.term.URIRef('https://schema.org/position')
positiveNotes: URIRef = rdflib.term.URIRef('https://schema.org/positiveNotes')
possibleComplication: URIRef = rdflib.term.URIRef('https://schema.org/possibleComplication')
possibleTreatment: URIRef = rdflib.term.URIRef('https://schema.org/possibleTreatment')
postOfficeBoxNumber: URIRef = rdflib.term.URIRef('https://schema.org/postOfficeBoxNumber')
postOp: URIRef = rdflib.term.URIRef('https://schema.org/postOp')
postalCode: URIRef = rdflib.term.URIRef('https://schema.org/postalCode')
postalCodeBegin: URIRef = rdflib.term.URIRef('https://schema.org/postalCodeBegin')
postalCodeEnd: URIRef = rdflib.term.URIRef('https://schema.org/postalCodeEnd')
postalCodePrefix: URIRef = rdflib.term.URIRef('https://schema.org/postalCodePrefix')
postalCodeRange: URIRef = rdflib.term.URIRef('https://schema.org/postalCodeRange')
potentialAction: URIRef = rdflib.term.URIRef('https://schema.org/potentialAction')
potentialUse: URIRef = rdflib.term.URIRef('https://schema.org/potentialUse')
preOp: URIRef = rdflib.term.URIRef('https://schema.org/preOp')
predecessorOf: URIRef = rdflib.term.URIRef('https://schema.org/predecessorOf')
pregnancyCategory: URIRef = rdflib.term.URIRef('https://schema.org/pregnancyCategory')
pregnancyWarning: URIRef = rdflib.term.URIRef('https://schema.org/pregnancyWarning')
prepTime: URIRef = rdflib.term.URIRef('https://schema.org/prepTime')
preparation: URIRef = rdflib.term.URIRef('https://schema.org/preparation')
prescribingInfo: URIRef = rdflib.term.URIRef('https://schema.org/prescribingInfo')
prescriptionStatus: URIRef = rdflib.term.URIRef('https://schema.org/prescriptionStatus')
previousItem: URIRef = rdflib.term.URIRef('https://schema.org/previousItem')
previousStartDate: URIRef = rdflib.term.URIRef('https://schema.org/previousStartDate')
price: URIRef = rdflib.term.URIRef('https://schema.org/price')
priceComponent: URIRef = rdflib.term.URIRef('https://schema.org/priceComponent')
priceComponentType: URIRef = rdflib.term.URIRef('https://schema.org/priceComponentType')
priceCurrency: URIRef = rdflib.term.URIRef('https://schema.org/priceCurrency')
priceRange: URIRef = rdflib.term.URIRef('https://schema.org/priceRange')
priceSpecification: URIRef = rdflib.term.URIRef('https://schema.org/priceSpecification')
priceType: URIRef = rdflib.term.URIRef('https://schema.org/priceType')
priceValidUntil: URIRef = rdflib.term.URIRef('https://schema.org/priceValidUntil')
primaryImageOfPage: URIRef = rdflib.term.URIRef('https://schema.org/primaryImageOfPage')
primaryPrevention: URIRef = rdflib.term.URIRef('https://schema.org/primaryPrevention')
printColumn: URIRef = rdflib.term.URIRef('https://schema.org/printColumn')
printEdition: URIRef = rdflib.term.URIRef('https://schema.org/printEdition')
printPage: URIRef = rdflib.term.URIRef('https://schema.org/printPage')
printSection: URIRef = rdflib.term.URIRef('https://schema.org/printSection')
procedure: URIRef = rdflib.term.URIRef('https://schema.org/procedure')
procedureType: URIRef = rdflib.term.URIRef('https://schema.org/procedureType')
processingTime: URIRef = rdflib.term.URIRef('https://schema.org/processingTime')
processorRequirements: URIRef = rdflib.term.URIRef('https://schema.org/processorRequirements')
producer: URIRef = rdflib.term.URIRef('https://schema.org/producer')
produces: URIRef = rdflib.term.URIRef('https://schema.org/produces')
productGroupID: URIRef = rdflib.term.URIRef('https://schema.org/productGroupID')
productID: URIRef = rdflib.term.URIRef('https://schema.org/productID')
productSupported: URIRef = rdflib.term.URIRef('https://schema.org/productSupported')
productionCompany: URIRef = rdflib.term.URIRef('https://schema.org/productionCompany')
productionDate: URIRef = rdflib.term.URIRef('https://schema.org/productionDate')
proficiencyLevel: URIRef = rdflib.term.URIRef('https://schema.org/proficiencyLevel')
programMembershipUsed: URIRef = rdflib.term.URIRef('https://schema.org/programMembershipUsed')
programName: URIRef = rdflib.term.URIRef('https://schema.org/programName')
programPrerequisites: URIRef = rdflib.term.URIRef('https://schema.org/programPrerequisites')
programType: URIRef = rdflib.term.URIRef('https://schema.org/programType')
programmingLanguage: URIRef = rdflib.term.URIRef('https://schema.org/programmingLanguage')
programmingModel: URIRef = rdflib.term.URIRef('https://schema.org/programmingModel')
propertyID: URIRef = rdflib.term.URIRef('https://schema.org/propertyID')
proprietaryName: URIRef = rdflib.term.URIRef('https://schema.org/proprietaryName')
proteinContent: URIRef = rdflib.term.URIRef('https://schema.org/proteinContent')
provider: URIRef = rdflib.term.URIRef('https://schema.org/provider')
providerMobility: URIRef = rdflib.term.URIRef('https://schema.org/providerMobility')
providesBroadcastService: URIRef = rdflib.term.URIRef('https://schema.org/providesBroadcastService')
providesService: URIRef = rdflib.term.URIRef('https://schema.org/providesService')
publicAccess: URIRef = rdflib.term.URIRef('https://schema.org/publicAccess')
publicTransportClosuresInfo: URIRef = rdflib.term.URIRef('https://schema.org/publicTransportClosuresInfo')
publication: URIRef = rdflib.term.URIRef('https://schema.org/publication')
publicationType: URIRef = rdflib.term.URIRef('https://schema.org/publicationType')
publishedBy: URIRef = rdflib.term.URIRef('https://schema.org/publishedBy')
publishedOn: URIRef = rdflib.term.URIRef('https://schema.org/publishedOn')
publisher: URIRef = rdflib.term.URIRef('https://schema.org/publisher')
publisherImprint: URIRef = rdflib.term.URIRef('https://schema.org/publisherImprint')
publishingPrinciples: URIRef = rdflib.term.URIRef('https://schema.org/publishingPrinciples')
purchaseDate: URIRef = rdflib.term.URIRef('https://schema.org/purchaseDate')
qualifications: URIRef = rdflib.term.URIRef('https://schema.org/qualifications')
quarantineGuidelines: URIRef = rdflib.term.URIRef('https://schema.org/quarantineGuidelines')
query: URIRef = rdflib.term.URIRef('https://schema.org/query')
quest: URIRef = rdflib.term.URIRef('https://schema.org/quest')
question: URIRef = rdflib.term.URIRef('https://schema.org/question')
rangeIncludes: URIRef = rdflib.term.URIRef('https://schema.org/rangeIncludes')
ratingCount: URIRef = rdflib.term.URIRef('https://schema.org/ratingCount')
ratingExplanation: URIRef = rdflib.term.URIRef('https://schema.org/ratingExplanation')
ratingValue: URIRef = rdflib.term.URIRef('https://schema.org/ratingValue')
readBy: URIRef = rdflib.term.URIRef('https://schema.org/readBy')
readonlyValue: URIRef = rdflib.term.URIRef('https://schema.org/readonlyValue')
realEstateAgent: URIRef = rdflib.term.URIRef('https://schema.org/realEstateAgent')
recipe: URIRef = rdflib.term.URIRef('https://schema.org/recipe')
recipeCategory: URIRef = rdflib.term.URIRef('https://schema.org/recipeCategory')
recipeCuisine: URIRef = rdflib.term.URIRef('https://schema.org/recipeCuisine')
recipeIngredient: URIRef = rdflib.term.URIRef('https://schema.org/recipeIngredient')
recipeInstructions: URIRef = rdflib.term.URIRef('https://schema.org/recipeInstructions')
recipeYield: URIRef = rdflib.term.URIRef('https://schema.org/recipeYield')
recipient: URIRef = rdflib.term.URIRef('https://schema.org/recipient')
recognizedBy: URIRef = rdflib.term.URIRef('https://schema.org/recognizedBy')
recognizingAuthority: URIRef = rdflib.term.URIRef('https://schema.org/recognizingAuthority')
recommendationStrength: URIRef = rdflib.term.URIRef('https://schema.org/recommendationStrength')
recommendedIntake: URIRef = rdflib.term.URIRef('https://schema.org/recommendedIntake')
recordLabel: URIRef = rdflib.term.URIRef('https://schema.org/recordLabel')
recordedAs: URIRef = rdflib.term.URIRef('https://schema.org/recordedAs')
recordedAt: URIRef = rdflib.term.URIRef('https://schema.org/recordedAt')
recordedIn: URIRef = rdflib.term.URIRef('https://schema.org/recordedIn')
recordingOf: URIRef = rdflib.term.URIRef('https://schema.org/recordingOf')
recourseLoan: URIRef = rdflib.term.URIRef('https://schema.org/recourseLoan')
referenceQuantity: URIRef = rdflib.term.URIRef('https://schema.org/referenceQuantity')
referencesOrder: URIRef = rdflib.term.URIRef('https://schema.org/referencesOrder')
refundType: URIRef = rdflib.term.URIRef('https://schema.org/refundType')
regionDrained: URIRef = rdflib.term.URIRef('https://schema.org/regionDrained')
regionsAllowed: URIRef = rdflib.term.URIRef('https://schema.org/regionsAllowed')
relatedAnatomy: URIRef = rdflib.term.URIRef('https://schema.org/relatedAnatomy')
relatedCondition: URIRef = rdflib.term.URIRef('https://schema.org/relatedCondition')
relatedDrug: URIRef = rdflib.term.URIRef('https://schema.org/relatedDrug')
relatedStructure: URIRef = rdflib.term.URIRef('https://schema.org/relatedStructure')
relatedTherapy: URIRef = rdflib.term.URIRef('https://schema.org/relatedTherapy')
relatedTo: URIRef = rdflib.term.URIRef('https://schema.org/relatedTo')
releaseDate: URIRef = rdflib.term.URIRef('https://schema.org/releaseDate')
releaseNotes: URIRef = rdflib.term.URIRef('https://schema.org/releaseNotes')
releaseOf: URIRef = rdflib.term.URIRef('https://schema.org/releaseOf')
releasedEvent: URIRef = rdflib.term.URIRef('https://schema.org/releasedEvent')
relevantOccupation: URIRef = rdflib.term.URIRef('https://schema.org/relevantOccupation')
relevantSpecialty: URIRef = rdflib.term.URIRef('https://schema.org/relevantSpecialty')
remainingAttendeeCapacity: URIRef = rdflib.term.URIRef('https://schema.org/remainingAttendeeCapacity')
renegotiableLoan: URIRef = rdflib.term.URIRef('https://schema.org/renegotiableLoan')
repeatCount: URIRef = rdflib.term.URIRef('https://schema.org/repeatCount')
repeatFrequency: URIRef = rdflib.term.URIRef('https://schema.org/repeatFrequency')
repetitions: URIRef = rdflib.term.URIRef('https://schema.org/repetitions')
replacee: URIRef = rdflib.term.URIRef('https://schema.org/replacee')
replacer: URIRef = rdflib.term.URIRef('https://schema.org/replacer')
replyToUrl: URIRef = rdflib.term.URIRef('https://schema.org/replyToUrl')
reportNumber: URIRef = rdflib.term.URIRef('https://schema.org/reportNumber')
representativeOfPage: URIRef = rdflib.term.URIRef('https://schema.org/representativeOfPage')
requiredCollateral: URIRef = rdflib.term.URIRef('https://schema.org/requiredCollateral')
requiredGender: URIRef = rdflib.term.URIRef('https://schema.org/requiredGender')
requiredMaxAge: URIRef = rdflib.term.URIRef('https://schema.org/requiredMaxAge')
requiredMinAge: URIRef = rdflib.term.URIRef('https://schema.org/requiredMinAge')
requiredQuantity: URIRef = rdflib.term.URIRef('https://schema.org/requiredQuantity')
requirements: URIRef = rdflib.term.URIRef('https://schema.org/requirements')
requiresSubscription: URIRef = rdflib.term.URIRef('https://schema.org/requiresSubscription')
reservationFor: URIRef = rdflib.term.URIRef('https://schema.org/reservationFor')
reservationId: URIRef = rdflib.term.URIRef('https://schema.org/reservationId')
reservationStatus: URIRef = rdflib.term.URIRef('https://schema.org/reservationStatus')
reservedTicket: URIRef = rdflib.term.URIRef('https://schema.org/reservedTicket')
responsibilities: URIRef = rdflib.term.URIRef('https://schema.org/responsibilities')
restPeriods: URIRef = rdflib.term.URIRef('https://schema.org/restPeriods')
restockingFee: URIRef = rdflib.term.URIRef('https://schema.org/restockingFee')
result: URIRef = rdflib.term.URIRef('https://schema.org/result')
resultComment: URIRef = rdflib.term.URIRef('https://schema.org/resultComment')
resultReview: URIRef = rdflib.term.URIRef('https://schema.org/resultReview')
returnFees: URIRef = rdflib.term.URIRef('https://schema.org/returnFees')
returnLabelSource: URIRef = rdflib.term.URIRef('https://schema.org/returnLabelSource')
returnMethod: URIRef = rdflib.term.URIRef('https://schema.org/returnMethod')
returnPolicyCategory: URIRef = rdflib.term.URIRef('https://schema.org/returnPolicyCategory')
returnPolicyCountry: URIRef = rdflib.term.URIRef('https://schema.org/returnPolicyCountry')
returnPolicySeasonalOverride: URIRef = rdflib.term.URIRef('https://schema.org/returnPolicySeasonalOverride')
returnShippingFeesAmount: URIRef = rdflib.term.URIRef('https://schema.org/returnShippingFeesAmount')
review: URIRef = rdflib.term.URIRef('https://schema.org/review')
reviewAspect: URIRef = rdflib.term.URIRef('https://schema.org/reviewAspect')
reviewBody: URIRef = rdflib.term.URIRef('https://schema.org/reviewBody')
reviewCount: URIRef = rdflib.term.URIRef('https://schema.org/reviewCount')
reviewRating: URIRef = rdflib.term.URIRef('https://schema.org/reviewRating')
reviewedBy: URIRef = rdflib.term.URIRef('https://schema.org/reviewedBy')
reviews: URIRef = rdflib.term.URIRef('https://schema.org/reviews')
riskFactor: URIRef = rdflib.term.URIRef('https://schema.org/riskFactor')
risks: URIRef = rdflib.term.URIRef('https://schema.org/risks')
roleName: URIRef = rdflib.term.URIRef('https://schema.org/roleName')
roofLoad: URIRef = rdflib.term.URIRef('https://schema.org/roofLoad')
rsvpResponse: URIRef = rdflib.term.URIRef('https://schema.org/rsvpResponse')
runsTo: URIRef = rdflib.term.URIRef('https://schema.org/runsTo')
runtime: URIRef = rdflib.term.URIRef('https://schema.org/runtime')
runtimePlatform: URIRef = rdflib.term.URIRef('https://schema.org/runtimePlatform')
rxcui: URIRef = rdflib.term.URIRef('https://schema.org/rxcui')
safetyConsideration: URIRef = rdflib.term.URIRef('https://schema.org/safetyConsideration')
salaryCurrency: URIRef = rdflib.term.URIRef('https://schema.org/salaryCurrency')
salaryUponCompletion: URIRef = rdflib.term.URIRef('https://schema.org/salaryUponCompletion')
sameAs: URIRef = rdflib.term.URIRef('https://schema.org/sameAs')
sampleType: URIRef = rdflib.term.URIRef('https://schema.org/sampleType')
saturatedFatContent: URIRef = rdflib.term.URIRef('https://schema.org/saturatedFatContent')
scheduleTimezone: URIRef = rdflib.term.URIRef('https://schema.org/scheduleTimezone')
scheduledPaymentDate: URIRef = rdflib.term.URIRef('https://schema.org/scheduledPaymentDate')
scheduledTime: URIRef = rdflib.term.URIRef('https://schema.org/scheduledTime')
schemaVersion: URIRef = rdflib.term.URIRef('https://schema.org/schemaVersion')
schoolClosuresInfo: URIRef = rdflib.term.URIRef('https://schema.org/schoolClosuresInfo')
screenCount: URIRef = rdflib.term.URIRef('https://schema.org/screenCount')
screenshot: URIRef = rdflib.term.URIRef('https://schema.org/screenshot')
sdDatePublished: URIRef = rdflib.term.URIRef('https://schema.org/sdDatePublished')
sdLicense: URIRef = rdflib.term.URIRef('https://schema.org/sdLicense')
sdPublisher: URIRef = rdflib.term.URIRef('https://schema.org/sdPublisher')
season: URIRef = rdflib.term.URIRef('https://schema.org/season')
seasonNumber: URIRef = rdflib.term.URIRef('https://schema.org/seasonNumber')
seasons: URIRef = rdflib.term.URIRef('https://schema.org/seasons')
seatNumber: URIRef = rdflib.term.URIRef('https://schema.org/seatNumber')
seatRow: URIRef = rdflib.term.URIRef('https://schema.org/seatRow')
seatSection: URIRef = rdflib.term.URIRef('https://schema.org/seatSection')
seatingCapacity: URIRef = rdflib.term.URIRef('https://schema.org/seatingCapacity')
seatingType: URIRef = rdflib.term.URIRef('https://schema.org/seatingType')
secondaryPrevention: URIRef = rdflib.term.URIRef('https://schema.org/secondaryPrevention')
securityClearanceRequirement: URIRef = rdflib.term.URIRef('https://schema.org/securityClearanceRequirement')
securityScreening: URIRef = rdflib.term.URIRef('https://schema.org/securityScreening')
seeks: URIRef = rdflib.term.URIRef('https://schema.org/seeks')
seller: URIRef = rdflib.term.URIRef('https://schema.org/seller')
sender: URIRef = rdflib.term.URIRef('https://schema.org/sender')
sensoryRequirement: URIRef = rdflib.term.URIRef('https://schema.org/sensoryRequirement')
sensoryUnit: URIRef = rdflib.term.URIRef('https://schema.org/sensoryUnit')
serialNumber: URIRef = rdflib.term.URIRef('https://schema.org/serialNumber')
seriousAdverseOutcome: URIRef = rdflib.term.URIRef('https://schema.org/seriousAdverseOutcome')
serverStatus: URIRef = rdflib.term.URIRef('https://schema.org/serverStatus')
servesCuisine: URIRef = rdflib.term.URIRef('https://schema.org/servesCuisine')
serviceArea: URIRef = rdflib.term.URIRef('https://schema.org/serviceArea')
serviceAudience: URIRef = rdflib.term.URIRef('https://schema.org/serviceAudience')
serviceLocation: URIRef = rdflib.term.URIRef('https://schema.org/serviceLocation')
serviceOperator: URIRef = rdflib.term.URIRef('https://schema.org/serviceOperator')
serviceOutput: URIRef = rdflib.term.URIRef('https://schema.org/serviceOutput')
servicePhone: URIRef = rdflib.term.URIRef('https://schema.org/servicePhone')
servicePostalAddress: URIRef = rdflib.term.URIRef('https://schema.org/servicePostalAddress')
serviceSmsNumber: URIRef = rdflib.term.URIRef('https://schema.org/serviceSmsNumber')
serviceType: URIRef = rdflib.term.URIRef('https://schema.org/serviceType')
serviceUrl: URIRef = rdflib.term.URIRef('https://schema.org/serviceUrl')
servingSize: URIRef = rdflib.term.URIRef('https://schema.org/servingSize')
sha256: URIRef = rdflib.term.URIRef('https://schema.org/sha256')
sharedContent: URIRef = rdflib.term.URIRef('https://schema.org/sharedContent')
shippingDestination: URIRef = rdflib.term.URIRef('https://schema.org/shippingDestination')
shippingDetails: URIRef = rdflib.term.URIRef('https://schema.org/shippingDetails')
shippingLabel: URIRef = rdflib.term.URIRef('https://schema.org/shippingLabel')
shippingRate: URIRef = rdflib.term.URIRef('https://schema.org/shippingRate')
sibling: URIRef = rdflib.term.URIRef('https://schema.org/sibling')
siblings: URIRef = rdflib.term.URIRef('https://schema.org/siblings')
signDetected: URIRef = rdflib.term.URIRef('https://schema.org/signDetected')
signOrSymptom: URIRef = rdflib.term.URIRef('https://schema.org/signOrSymptom')
significance: URIRef = rdflib.term.URIRef('https://schema.org/significance')
size: URIRef = rdflib.term.URIRef('https://schema.org/size')
sizeGroup: URIRef = rdflib.term.URIRef('https://schema.org/sizeGroup')
sizeSystem: URIRef = rdflib.term.URIRef('https://schema.org/sizeSystem')
skills: URIRef = rdflib.term.URIRef('https://schema.org/skills')
sku: URIRef = rdflib.term.URIRef('https://schema.org/sku')
slogan: URIRef = rdflib.term.URIRef('https://schema.org/slogan')
smiles: URIRef = rdflib.term.URIRef('https://schema.org/smiles')
smokingAllowed: URIRef = rdflib.term.URIRef('https://schema.org/smokingAllowed')
sodiumContent: URIRef = rdflib.term.URIRef('https://schema.org/sodiumContent')
softwareAddOn: URIRef = rdflib.term.URIRef('https://schema.org/softwareAddOn')
softwareHelp: URIRef = rdflib.term.URIRef('https://schema.org/softwareHelp')
softwareRequirements: URIRef = rdflib.term.URIRef('https://schema.org/softwareRequirements')
softwareVersion: URIRef = rdflib.term.URIRef('https://schema.org/softwareVersion')
sourceOrganization: URIRef = rdflib.term.URIRef('https://schema.org/sourceOrganization')
sourcedFrom: URIRef = rdflib.term.URIRef('https://schema.org/sourcedFrom')
spatial: URIRef = rdflib.term.URIRef('https://schema.org/spatial')
spatialCoverage: URIRef = rdflib.term.URIRef('https://schema.org/spatialCoverage')
speakable: URIRef = rdflib.term.URIRef('https://schema.org/speakable')
specialCommitments: URIRef = rdflib.term.URIRef('https://schema.org/specialCommitments')
specialOpeningHoursSpecification: URIRef = rdflib.term.URIRef('https://schema.org/specialOpeningHoursSpecification')
specialty: URIRef = rdflib.term.URIRef('https://schema.org/specialty')
speechToTextMarkup: URIRef = rdflib.term.URIRef('https://schema.org/speechToTextMarkup')
speed: URIRef = rdflib.term.URIRef('https://schema.org/speed')
spokenByCharacter: URIRef = rdflib.term.URIRef('https://schema.org/spokenByCharacter')
sponsor: URIRef = rdflib.term.URIRef('https://schema.org/sponsor')
sport: URIRef = rdflib.term.URIRef('https://schema.org/sport')
sportsActivityLocation: URIRef = rdflib.term.URIRef('https://schema.org/sportsActivityLocation')
sportsEvent: URIRef = rdflib.term.URIRef('https://schema.org/sportsEvent')
sportsTeam: URIRef = rdflib.term.URIRef('https://schema.org/sportsTeam')
spouse: URIRef = rdflib.term.URIRef('https://schema.org/spouse')
stage: URIRef = rdflib.term.URIRef('https://schema.org/stage')
stageAsNumber: URIRef = rdflib.term.URIRef('https://schema.org/stageAsNumber')
starRating: URIRef = rdflib.term.URIRef('https://schema.org/starRating')
startDate: URIRef = rdflib.term.URIRef('https://schema.org/startDate')
startOffset: URIRef = rdflib.term.URIRef('https://schema.org/startOffset')
startTime: URIRef = rdflib.term.URIRef('https://schema.org/startTime')
status: URIRef = rdflib.term.URIRef('https://schema.org/status')
steeringPosition: URIRef = rdflib.term.URIRef('https://schema.org/steeringPosition')
step: URIRef = rdflib.term.URIRef('https://schema.org/step')
stepValue: URIRef = rdflib.term.URIRef('https://schema.org/stepValue')
steps: URIRef = rdflib.term.URIRef('https://schema.org/steps')
storageRequirements: URIRef = rdflib.term.URIRef('https://schema.org/storageRequirements')
streetAddress: URIRef = rdflib.term.URIRef('https://schema.org/streetAddress')
strengthUnit: URIRef = rdflib.term.URIRef('https://schema.org/strengthUnit')
strengthValue: URIRef = rdflib.term.URIRef('https://schema.org/strengthValue')
structuralClass: URIRef = rdflib.term.URIRef('https://schema.org/structuralClass')
study: URIRef = rdflib.term.URIRef('https://schema.org/study')
studyDesign: URIRef = rdflib.term.URIRef('https://schema.org/studyDesign')
studyLocation: URIRef = rdflib.term.URIRef('https://schema.org/studyLocation')
studySubject: URIRef = rdflib.term.URIRef('https://schema.org/studySubject')
subEvent: URIRef = rdflib.term.URIRef('https://schema.org/subEvent')
subEvents: URIRef = rdflib.term.URIRef('https://schema.org/subEvents')
subOrganization: URIRef = rdflib.term.URIRef('https://schema.org/subOrganization')
subReservation: URIRef = rdflib.term.URIRef('https://schema.org/subReservation')
subStageSuffix: URIRef = rdflib.term.URIRef('https://schema.org/subStageSuffix')
subStructure: URIRef = rdflib.term.URIRef('https://schema.org/subStructure')
subTest: URIRef = rdflib.term.URIRef('https://schema.org/subTest')
subTrip: URIRef = rdflib.term.URIRef('https://schema.org/subTrip')
subjectOf: URIRef = rdflib.term.URIRef('https://schema.org/subjectOf')
subtitleLanguage: URIRef = rdflib.term.URIRef('https://schema.org/subtitleLanguage')
successorOf: URIRef = rdflib.term.URIRef('https://schema.org/successorOf')
sugarContent: URIRef = rdflib.term.URIRef('https://schema.org/sugarContent')
suggestedAge: URIRef = rdflib.term.URIRef('https://schema.org/suggestedAge')
suggestedAnswer: URIRef = rdflib.term.URIRef('https://schema.org/suggestedAnswer')
suggestedGender: URIRef = rdflib.term.URIRef('https://schema.org/suggestedGender')
suggestedMaxAge: URIRef = rdflib.term.URIRef('https://schema.org/suggestedMaxAge')
suggestedMeasurement: URIRef = rdflib.term.URIRef('https://schema.org/suggestedMeasurement')
suggestedMinAge: URIRef = rdflib.term.URIRef('https://schema.org/suggestedMinAge')
suitableForDiet: URIRef = rdflib.term.URIRef('https://schema.org/suitableForDiet')
superEvent: URIRef = rdflib.term.URIRef('https://schema.org/superEvent')
supersededBy: URIRef = rdflib.term.URIRef('https://schema.org/supersededBy')
supply: URIRef = rdflib.term.URIRef('https://schema.org/supply')
supplyTo: URIRef = rdflib.term.URIRef('https://schema.org/supplyTo')
supportingData: URIRef = rdflib.term.URIRef('https://schema.org/supportingData')
surface: URIRef = rdflib.term.URIRef('https://schema.org/surface')
target: URIRef = rdflib.term.URIRef('https://schema.org/target')
targetCollection: URIRef = rdflib.term.URIRef('https://schema.org/targetCollection')
targetDescription: URIRef = rdflib.term.URIRef('https://schema.org/targetDescription')
targetName: URIRef = rdflib.term.URIRef('https://schema.org/targetName')
targetPlatform: URIRef = rdflib.term.URIRef('https://schema.org/targetPlatform')
targetPopulation: URIRef = rdflib.term.URIRef('https://schema.org/targetPopulation')
targetProduct: URIRef = rdflib.term.URIRef('https://schema.org/targetProduct')
targetUrl: URIRef = rdflib.term.URIRef('https://schema.org/targetUrl')
taxID: URIRef = rdflib.term.URIRef('https://schema.org/taxID')
taxonRank: URIRef = rdflib.term.URIRef('https://schema.org/taxonRank')
taxonomicRange: URIRef = rdflib.term.URIRef('https://schema.org/taxonomicRange')
teaches: URIRef = rdflib.term.URIRef('https://schema.org/teaches')
telephone: URIRef = rdflib.term.URIRef('https://schema.org/telephone')
temporal: URIRef = rdflib.term.URIRef('https://schema.org/temporal')
temporalCoverage: URIRef = rdflib.term.URIRef('https://schema.org/temporalCoverage')
termCode: URIRef = rdflib.term.URIRef('https://schema.org/termCode')
termDuration: URIRef = rdflib.term.URIRef('https://schema.org/termDuration')
termsOfService: URIRef = rdflib.term.URIRef('https://schema.org/termsOfService')
termsPerYear: URIRef = rdflib.term.URIRef('https://schema.org/termsPerYear')
text: URIRef = rdflib.term.URIRef('https://schema.org/text')
textValue: URIRef = rdflib.term.URIRef('https://schema.org/textValue')
thumbnail: URIRef = rdflib.term.URIRef('https://schema.org/thumbnail')
thumbnailUrl: URIRef = rdflib.term.URIRef('https://schema.org/thumbnailUrl')
tickerSymbol: URIRef = rdflib.term.URIRef('https://schema.org/tickerSymbol')
ticketNumber: URIRef = rdflib.term.URIRef('https://schema.org/ticketNumber')
ticketToken: URIRef = rdflib.term.URIRef('https://schema.org/ticketToken')
ticketedSeat: URIRef = rdflib.term.URIRef('https://schema.org/ticketedSeat')
timeOfDay: URIRef = rdflib.term.URIRef('https://schema.org/timeOfDay')
timeRequired: URIRef = rdflib.term.URIRef('https://schema.org/timeRequired')
timeToComplete: URIRef = rdflib.term.URIRef('https://schema.org/timeToComplete')
tissueSample: URIRef = rdflib.term.URIRef('https://schema.org/tissueSample')
title: URIRef = rdflib.term.URIRef('https://schema.org/title')
titleEIDR: URIRef = rdflib.term.URIRef('https://schema.org/titleEIDR')
toLocation: URIRef = rdflib.term.URIRef('https://schema.org/toLocation')
toRecipient: URIRef = rdflib.term.URIRef('https://schema.org/toRecipient')
tocContinuation: URIRef = rdflib.term.URIRef('https://schema.org/tocContinuation')
tocEntry: URIRef = rdflib.term.URIRef('https://schema.org/tocEntry')
tongueWeight: URIRef = rdflib.term.URIRef('https://schema.org/tongueWeight')
tool: URIRef = rdflib.term.URIRef('https://schema.org/tool')
torque: URIRef = rdflib.term.URIRef('https://schema.org/torque')
totalJobOpenings: URIRef = rdflib.term.URIRef('https://schema.org/totalJobOpenings')
totalPaymentDue: URIRef = rdflib.term.URIRef('https://schema.org/totalPaymentDue')
totalPrice: URIRef = rdflib.term.URIRef('https://schema.org/totalPrice')
totalTime: URIRef = rdflib.term.URIRef('https://schema.org/totalTime')
tourBookingPage: URIRef = rdflib.term.URIRef('https://schema.org/tourBookingPage')
touristType: URIRef = rdflib.term.URIRef('https://schema.org/touristType')
track: URIRef = rdflib.term.URIRef('https://schema.org/track')
trackingNumber: URIRef = rdflib.term.URIRef('https://schema.org/trackingNumber')
trackingUrl: URIRef = rdflib.term.URIRef('https://schema.org/trackingUrl')
tracks: URIRef = rdflib.term.URIRef('https://schema.org/tracks')
trailer: URIRef = rdflib.term.URIRef('https://schema.org/trailer')
trailerWeight: URIRef = rdflib.term.URIRef('https://schema.org/trailerWeight')
trainName: URIRef = rdflib.term.URIRef('https://schema.org/trainName')
trainNumber: URIRef = rdflib.term.URIRef('https://schema.org/trainNumber')
trainingSalary: URIRef = rdflib.term.URIRef('https://schema.org/trainingSalary')
transFatContent: URIRef = rdflib.term.URIRef('https://schema.org/transFatContent')
transcript: URIRef = rdflib.term.URIRef('https://schema.org/transcript')
transitTime: URIRef = rdflib.term.URIRef('https://schema.org/transitTime')
transitTimeLabel: URIRef = rdflib.term.URIRef('https://schema.org/transitTimeLabel')
translationOfWork: URIRef = rdflib.term.URIRef('https://schema.org/translationOfWork')
translator: URIRef = rdflib.term.URIRef('https://schema.org/translator')
transmissionMethod: URIRef = rdflib.term.URIRef('https://schema.org/transmissionMethod')
travelBans: URIRef = rdflib.term.URIRef('https://schema.org/travelBans')
trialDesign: URIRef = rdflib.term.URIRef('https://schema.org/trialDesign')
tributary: URIRef = rdflib.term.URIRef('https://schema.org/tributary')
typeOfBed: URIRef = rdflib.term.URIRef('https://schema.org/typeOfBed')
typeOfGood: URIRef = rdflib.term.URIRef('https://schema.org/typeOfGood')
typicalAgeRange: URIRef = rdflib.term.URIRef('https://schema.org/typicalAgeRange')
typicalCreditsPerTerm: URIRef = rdflib.term.URIRef('https://schema.org/typicalCreditsPerTerm')
typicalTest: URIRef = rdflib.term.URIRef('https://schema.org/typicalTest')
underName: URIRef = rdflib.term.URIRef('https://schema.org/underName')
unitCode: URIRef = rdflib.term.URIRef('https://schema.org/unitCode')
unitText: URIRef = rdflib.term.URIRef('https://schema.org/unitText')
unnamedSourcesPolicy: URIRef = rdflib.term.URIRef('https://schema.org/unnamedSourcesPolicy')
unsaturatedFatContent: URIRef = rdflib.term.URIRef('https://schema.org/unsaturatedFatContent')
uploadDate: URIRef = rdflib.term.URIRef('https://schema.org/uploadDate')
upvoteCount: URIRef = rdflib.term.URIRef('https://schema.org/upvoteCount')
url: URIRef = rdflib.term.URIRef('https://schema.org/url')
urlTemplate: URIRef = rdflib.term.URIRef('https://schema.org/urlTemplate')
usageInfo: URIRef = rdflib.term.URIRef('https://schema.org/usageInfo')
usedToDiagnose: URIRef = rdflib.term.URIRef('https://schema.org/usedToDiagnose')
userInteractionCount: URIRef = rdflib.term.URIRef('https://schema.org/userInteractionCount')
usesDevice: URIRef = rdflib.term.URIRef('https://schema.org/usesDevice')
usesHealthPlanIdStandard: URIRef = rdflib.term.URIRef('https://schema.org/usesHealthPlanIdStandard')
utterances: URIRef = rdflib.term.URIRef('https://schema.org/utterances')
validFor: URIRef = rdflib.term.URIRef('https://schema.org/validFor')
validFrom: URIRef = rdflib.term.URIRef('https://schema.org/validFrom')
validIn: URIRef = rdflib.term.URIRef('https://schema.org/validIn')
validThrough: URIRef = rdflib.term.URIRef('https://schema.org/validThrough')
validUntil: URIRef = rdflib.term.URIRef('https://schema.org/validUntil')
value: URIRef = rdflib.term.URIRef('https://schema.org/value')
valueAddedTaxIncluded: URIRef = rdflib.term.URIRef('https://schema.org/valueAddedTaxIncluded')
valueMaxLength: URIRef = rdflib.term.URIRef('https://schema.org/valueMaxLength')
valueMinLength: URIRef = rdflib.term.URIRef('https://schema.org/valueMinLength')
valueName: URIRef = rdflib.term.URIRef('https://schema.org/valueName')
valuePattern: URIRef = rdflib.term.URIRef('https://schema.org/valuePattern')
valueReference: URIRef = rdflib.term.URIRef('https://schema.org/valueReference')
valueRequired: URIRef = rdflib.term.URIRef('https://schema.org/valueRequired')
variableMeasured: URIRef = rdflib.term.URIRef('https://schema.org/variableMeasured')
variantCover: URIRef = rdflib.term.URIRef('https://schema.org/variantCover')
variesBy: URIRef = rdflib.term.URIRef('https://schema.org/variesBy')
vatID: URIRef = rdflib.term.URIRef('https://schema.org/vatID')
vehicleConfiguration: URIRef = rdflib.term.URIRef('https://schema.org/vehicleConfiguration')
vehicleEngine: URIRef = rdflib.term.URIRef('https://schema.org/vehicleEngine')
vehicleIdentificationNumber: URIRef = rdflib.term.URIRef('https://schema.org/vehicleIdentificationNumber')
vehicleInteriorColor: URIRef = rdflib.term.URIRef('https://schema.org/vehicleInteriorColor')
vehicleInteriorType: URIRef = rdflib.term.URIRef('https://schema.org/vehicleInteriorType')
vehicleModelDate: URIRef = rdflib.term.URIRef('https://schema.org/vehicleModelDate')
vehicleSeatingCapacity: URIRef = rdflib.term.URIRef('https://schema.org/vehicleSeatingCapacity')
vehicleSpecialUsage: URIRef = rdflib.term.URIRef('https://schema.org/vehicleSpecialUsage')
vehicleTransmission: URIRef = rdflib.term.URIRef('https://schema.org/vehicleTransmission')
vendor: URIRef = rdflib.term.URIRef('https://schema.org/vendor')
verificationFactCheckingPolicy: URIRef = rdflib.term.URIRef('https://schema.org/verificationFactCheckingPolicy')
version: URIRef = rdflib.term.URIRef('https://schema.org/version')
video: URIRef = rdflib.term.URIRef('https://schema.org/video')
videoFormat: URIRef = rdflib.term.URIRef('https://schema.org/videoFormat')
videoFrameSize: URIRef = rdflib.term.URIRef('https://schema.org/videoFrameSize')
videoQuality: URIRef = rdflib.term.URIRef('https://schema.org/videoQuality')
volumeNumber: URIRef = rdflib.term.URIRef('https://schema.org/volumeNumber')
warning: URIRef = rdflib.term.URIRef('https://schema.org/warning')
warranty: URIRef = rdflib.term.URIRef('https://schema.org/warranty')
warrantyPromise: URIRef = rdflib.term.URIRef('https://schema.org/warrantyPromise')
warrantyScope: URIRef = rdflib.term.URIRef('https://schema.org/warrantyScope')
webCheckinTime: URIRef = rdflib.term.URIRef('https://schema.org/webCheckinTime')
webFeed: URIRef = rdflib.term.URIRef('https://schema.org/webFeed')
weight: URIRef = rdflib.term.URIRef('https://schema.org/weight')
weightTotal: URIRef = rdflib.term.URIRef('https://schema.org/weightTotal')
wheelbase: URIRef = rdflib.term.URIRef('https://schema.org/wheelbase')
width: URIRef = rdflib.term.URIRef('https://schema.org/width')
winner: URIRef = rdflib.term.URIRef('https://schema.org/winner')
wordCount: URIRef = rdflib.term.URIRef('https://schema.org/wordCount')
workExample: URIRef = rdflib.term.URIRef('https://schema.org/workExample')
workFeatured: URIRef = rdflib.term.URIRef('https://schema.org/workFeatured')
workHours: URIRef = rdflib.term.URIRef('https://schema.org/workHours')
workLocation: URIRef = rdflib.term.URIRef('https://schema.org/workLocation')
workPerformed: URIRef = rdflib.term.URIRef('https://schema.org/workPerformed')
workPresented: URIRef = rdflib.term.URIRef('https://schema.org/workPresented')
workTranslation: URIRef = rdflib.term.URIRef('https://schema.org/workTranslation')
workload: URIRef = rdflib.term.URIRef('https://schema.org/workload')
worksFor: URIRef = rdflib.term.URIRef('https://schema.org/worksFor')
worstRating: URIRef = rdflib.term.URIRef('https://schema.org/worstRating')
xpath: URIRef = rdflib.term.URIRef('https://schema.org/xpath')
yearBuilt: URIRef = rdflib.term.URIRef('https://schema.org/yearBuilt')
yearlyRevenue: URIRef = rdflib.term.URIRef('https://schema.org/yearlyRevenue')
yearsInOperation: URIRef = rdflib.term.URIRef('https://schema.org/yearsInOperation')
class rdflib.SH[source]

Bases: DefinedNamespace

W3C Shapes Constraint Language (SHACL) Vocabulary

This vocabulary defines terms used in SHACL, the W3C Shapes Constraint Language.

Generated from: https://www.w3.org/ns/shacl.ttl Date: 2020-05-26 14:20:08.041103

AbstractResult: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#AbstractResult')
AndConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#AndConstraintComponent')
BlankNode: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#BlankNode')
BlankNodeOrIRI: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#BlankNodeOrIRI')
BlankNodeOrLiteral: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#BlankNodeOrLiteral')
ClassConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ClassConstraintComponent')
ClosedConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ClosedConstraintComponent')
ConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ConstraintComponent')
DatatypeConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#DatatypeConstraintComponent')
DisjointConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#DisjointConstraintComponent')
EqualsConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#EqualsConstraintComponent')
ExpressionConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ExpressionConstraintComponent')
Function: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Function')
HasValueConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#HasValueConstraintComponent')
IRI: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#IRI')
IRIOrLiteral: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#IRIOrLiteral')
InConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#InConstraintComponent')
Info: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Info')
JSConstraint: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSConstraint')
JSConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSConstraintComponent')
JSExecutable: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSExecutable')
JSFunction: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSFunction')
JSLibrary: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSLibrary')
JSRule: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSRule')
JSTarget: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSTarget')
JSTargetType: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSTargetType')
JSValidator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSValidator')
LanguageInConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#LanguageInConstraintComponent')
LessThanConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#LessThanConstraintComponent')
LessThanOrEqualsConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#LessThanOrEqualsConstraintComponent')
Literal: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Literal')
MaxCountConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MaxCountConstraintComponent')
MaxExclusiveConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MaxExclusiveConstraintComponent')
MaxInclusiveConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MaxInclusiveConstraintComponent')
MaxLengthConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MaxLengthConstraintComponent')
MinCountConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MinCountConstraintComponent')
MinExclusiveConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MinExclusiveConstraintComponent')
MinInclusiveConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MinInclusiveConstraintComponent')
MinLengthConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MinLengthConstraintComponent')
NodeConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#NodeConstraintComponent')
NodeKind: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#NodeKind')
NodeKindConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#NodeKindConstraintComponent')
NodeShape: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#NodeShape')
NotConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#NotConstraintComponent')
OrConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#OrConstraintComponent')
Parameter: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Parameter')
Parameterizable: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Parameterizable')
PatternConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#PatternConstraintComponent')
PrefixDeclaration: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#PrefixDeclaration')
PropertyConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#PropertyConstraintComponent')
PropertyGroup: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#PropertyGroup')
PropertyShape: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#PropertyShape')
QualifiedMaxCountConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#QualifiedMaxCountConstraintComponent')
QualifiedMinCountConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#QualifiedMinCountConstraintComponent')
ResultAnnotation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ResultAnnotation')
Rule: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Rule')
SPARQLAskExecutable: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLAskExecutable')
SPARQLAskValidator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLAskValidator')
SPARQLConstraint: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLConstraint')
SPARQLConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLConstraintComponent')
SPARQLConstructExecutable: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLConstructExecutable')
SPARQLExecutable: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLExecutable')
SPARQLFunction: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLFunction')
SPARQLRule: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLRule')
SPARQLSelectExecutable: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLSelectExecutable')
SPARQLSelectValidator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLSelectValidator')
SPARQLTarget: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLTarget')
SPARQLTargetType: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLTargetType')
SPARQLUpdateExecutable: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLUpdateExecutable')
Severity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Severity')
Shape: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Shape')
Target: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Target')
TargetType: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#TargetType')
TripleRule: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#TripleRule')
UniqueLangConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#UniqueLangConstraintComponent')
ValidationReport: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ValidationReport')
ValidationResult: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ValidationResult')
Validator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Validator')
Violation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Violation')
Warning: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Warning')
XoneConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#XoneConstraintComponent')
alternativePath: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#alternativePath')
annotationProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#annotationProperty')
annotationValue: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#annotationValue')
annotationVarName: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#annotationVarName')
ask: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ask')
closed: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#closed')
condition: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#condition')
conforms: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#conforms')
construct: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#construct')
datatype: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#datatype')
deactivated: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#deactivated')
declare: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#declare')
defaultValue: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#defaultValue')
description: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#description')
detail: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#detail')
disjoint: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#disjoint')
entailment: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#entailment')
equals: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#equals')
expression: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#expression')
filterShape: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#filterShape')
flags: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#flags')
focusNode: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#focusNode')
group: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#group')
hasValue: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#hasValue')
ignoredProperties: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ignoredProperties')
intersection: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#intersection')
inversePath: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#inversePath')
js: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#js')
jsFunctionName: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#jsFunctionName')
jsLibrary: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#jsLibrary')
jsLibraryURL: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#jsLibraryURL')
labelTemplate: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#labelTemplate')
languageIn: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#languageIn')
lessThan: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#lessThan')
lessThanOrEquals: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#lessThanOrEquals')
maxCount: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#maxCount')
maxExclusive: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#maxExclusive')
maxInclusive: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#maxInclusive')
maxLength: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#maxLength')
message: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#message')
minCount: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#minCount')
minExclusive: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#minExclusive')
minInclusive: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#minInclusive')
minLength: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#minLength')
name: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#name')
namespace: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#namespace')
node: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#node')
nodeKind: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#nodeKind')
nodeValidator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#nodeValidator')
nodes: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#nodes')
object: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#object')
oneOrMorePath: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#oneOrMorePath')
optional: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#optional')
order: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#order')
parameter: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#parameter')
path: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#path')
pattern: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#pattern')
predicate: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#predicate')
prefix: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#prefix')
prefixes: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#prefixes')
property: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#property')
propertyValidator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#propertyValidator')
qualifiedMaxCount: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#qualifiedMaxCount')
qualifiedMinCount: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#qualifiedMinCount')
qualifiedValueShape: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#qualifiedValueShape')
qualifiedValueShapesDisjoint: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#qualifiedValueShapesDisjoint')
result: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#result')
resultAnnotation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#resultAnnotation')
resultMessage: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#resultMessage')
resultPath: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#resultPath')
resultSeverity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#resultSeverity')
returnType: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#returnType')
rule: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#rule')
select: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#select')
severity: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#severity')
shapesGraph: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#shapesGraph')
shapesGraphWellFormed: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#shapesGraphWellFormed')
sourceConstraint: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#sourceConstraint')
sourceConstraintComponent: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#sourceConstraintComponent')
sourceShape: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#sourceShape')
sparql: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#sparql')
subject: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#subject')
suggestedShapesGraph: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#suggestedShapesGraph')
target: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#target')
targetClass: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#targetClass')
targetNode: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#targetNode')
targetObjectsOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#targetObjectsOf')
targetSubjectsOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#targetSubjectsOf')
this: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#this')
union: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#union')
uniqueLang: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#uniqueLang')
update: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#update')
validator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#validator')
value: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#value')
xone: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#xone')
zeroOrMorePath: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#zeroOrMorePath')
zeroOrOnePath: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#zeroOrOnePath')
class rdflib.SKOS[source]

Bases: DefinedNamespace

SKOS Vocabulary

An RDF vocabulary for describing the basic structure and content of concept schemes such as thesauri, classification schemes, subject heading lists, taxonomies, ‘folksonomies’, other types of controlled vocabulary, and also concept schemes embedded in glossaries and terminologies.

Generated from: https://www.w3.org/2009/08/skos-reference/skos.rdf Date: 2020-05-26 14:20:08.489187

Collection: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#Collection')
Concept: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#Concept')
ConceptScheme: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#ConceptScheme')
OrderedCollection: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#OrderedCollection')
altLabel: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#altLabel')
broadMatch: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#broadMatch')
broader: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#broader')
broaderTransitive: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#broaderTransitive')
changeNote: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#changeNote')
closeMatch: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#closeMatch')
definition: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#definition')
editorialNote: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#editorialNote')
exactMatch: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#exactMatch')
example: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#example')
hasTopConcept: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#hasTopConcept')
hiddenLabel: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#hiddenLabel')
historyNote: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#historyNote')
inScheme: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#inScheme')
mappingRelation: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#mappingRelation')
member: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#member')
memberList: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#memberList')
narrowMatch: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#narrowMatch')
narrower: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#narrower')
narrowerTransitive: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#narrowerTransitive')
notation: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#notation')
note: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#note')
prefLabel: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel')
related: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#related')
relatedMatch: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#relatedMatch')
scopeNote: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#scopeNote')
semanticRelation: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#semanticRelation')
topConceptOf: URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#topConceptOf')
class rdflib.SOSA[source]

Bases: DefinedNamespace

Sensor, Observation, Sample, and Actuator (SOSA) Ontology

This ontology is based on the SSN Ontology by the W3C Semantic Sensor Networks Incubator Group (SSN-XG), together with considerations from the W3C/OGC Spatial Data on the Web Working Group.

Generated from: http://www.w3.org/ns/sosa/ Date: 2020-05-26 14:20:08.792504

ActuatableProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/ActuatableProperty')
Actuation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Actuation')
Actuator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Actuator')
FeatureOfInterest: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/FeatureOfInterest')
ObservableProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/ObservableProperty')
Observation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Observation')
Platform: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Platform')
Procedure: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Procedure')
Result: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Result')
Sample: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Sample')
Sampler: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Sampler')
Sampling: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Sampling')
Sensor: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Sensor')
actsOnProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/actsOnProperty')
hasFeatureOfInterest: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/hasFeatureOfInterest')
hasResult: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/hasResult')
hasSample: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/hasSample')
hasSimpleResult: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/hasSimpleResult')
hosts: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/hosts')
isActedOnBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/isActedOnBy')
isFeatureOfInterestOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/isFeatureOfInterestOf')
isHostedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/isHostedBy')
isObservedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/isObservedBy')
isResultOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/isResultOf')
isSampleOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/isSampleOf')
madeActuation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/madeActuation')
madeByActuator: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/madeByActuator')
madeBySampler: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/madeBySampler')
madeBySensor: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/madeBySensor')
madeObservation: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/madeObservation')
madeSampling: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/madeSampling')
observedProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/observedProperty')
observes: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/observes')
phenomenonTime: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/phenomenonTime')
resultTime: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/resultTime')
usedProcedure: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/usedProcedure')
class rdflib.SSN[source]

Bases: DefinedNamespace

Semantic Sensor Network Ontology

This ontology describes sensors, actuators and observations, and related concepts. It does not describe domain concepts, time, locations, etc. these are intended to be included from other ontologies via OWL imports.

Generated from: http://www.w3.org/ns/ssn/ Date: 2020-05-26 14:20:09.068204

Deployment: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/Deployment')
Input: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/Input')
Output: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/Output')
Property: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/Property')
Stimulus: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/Stimulus')
System: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/System')
deployedOnPlatform: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/deployedOnPlatform')
deployedSystem: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/deployedSystem')
detects: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/detects')
forProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/forProperty')
hasDeployment: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/hasDeployment')
hasInput: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/hasInput')
hasOutput: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/hasOutput')
hasProperty: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/hasProperty')
hasSubSystem: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/hasSubSystem')
implementedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/implementedBy')
implements: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/implements')
inDeployment: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/inDeployment')
isPropertyOf: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/isPropertyOf')
isProxyFor: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/isProxyFor')
wasOriginatedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/wasOriginatedBy')
class rdflib.TIME[source]

Bases: DefinedNamespace

OWL-Time

Generated from: http://www.w3.org/2006/time# Date: 2020-05-26 14:20:10.531265

DateTimeDescription: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#DateTimeDescription')
DateTimeInterval: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#DateTimeInterval')
DayOfWeek: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#DayOfWeek')
Duration: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Duration')
DurationDescription: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#DurationDescription')
Friday: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Friday')
GeneralDateTimeDescription: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#GeneralDateTimeDescription')
GeneralDurationDescription: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#GeneralDurationDescription')
Instant: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Instant')
Interval: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Interval')
January: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#January')
Monday: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Monday')
MonthOfYear: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#MonthOfYear')
ProperInterval: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#ProperInterval')
Saturday: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Saturday')
Sunday: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Sunday')
TRS: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TRS')
TemporalDuration: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TemporalDuration')
TemporalEntity: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TemporalEntity')
TemporalPosition: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TemporalPosition')
TemporalUnit: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TemporalUnit')
Thursday: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Thursday')
TimePosition: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TimePosition')
TimeZone: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TimeZone')
Tuesday: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Tuesday')
Wednesday: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Wednesday')
Year: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Year')
after: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#after')
before: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#before')
day: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#day')
dayOfWeek: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#dayOfWeek')
dayOfYear: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#dayOfYear')
days: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#days')
generalDay: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#generalDay')
generalMonth: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#generalMonth')
generalYear: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#generalYear')
hasBeginning: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasBeginning')
hasDateTimeDescription: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasDateTimeDescription')
hasDuration: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasDuration')
hasDurationDescription: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasDurationDescription')
hasEnd: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasEnd')
hasTRS: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasTRS')
hasTemporalDuration: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasTemporalDuration')
hasTime: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasTime')
hasXSDDuration: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasXSDDuration')
hour: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hour')
hours: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hours')
inDateTime: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inDateTime')
inTemporalPosition: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inTemporalPosition')
inTimePosition: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inTimePosition')
inXSDDate: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inXSDDate')
inXSDDateTime: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inXSDDateTime')
inXSDDateTimeStamp: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inXSDDateTimeStamp')
inXSDgYear: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inXSDgYear')
inXSDgYearMonth: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inXSDgYearMonth')
inside: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inside')
intervalAfter: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalAfter')
intervalBefore: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalBefore')
intervalContains: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalContains')
intervalDisjoint: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalDisjoint')
intervalDuring: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalDuring')
intervalEquals: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalEquals')
intervalFinishedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalFinishedBy')
intervalFinishes: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalFinishes')
intervalIn: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalIn')
intervalMeets: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalMeets')
intervalMetBy: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalMetBy')
intervalOverlappedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalOverlappedBy')
intervalOverlaps: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalOverlaps')
intervalStartedBy: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalStartedBy')
intervalStarts: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalStarts')
minute: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#minute')
minutes: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#minutes')
month: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#month')
monthOfYear: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#monthOfYear')
months: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#months')
nominalPosition: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#nominalPosition')
numericDuration: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#numericDuration')
numericPosition: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#numericPosition')
second: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#second')
seconds: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#seconds')
timeZone: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#timeZone')
unitDay: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitDay')
unitHour: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitHour')
unitMinute: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitMinute')
unitMonth: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitMonth')
unitSecond: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitSecond')
unitType: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitType')
unitWeek: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitWeek')
unitYear: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitYear')
week: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#week')
weeks: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#weeks')
xsdDateTime: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#xsdDateTime')
year: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#year')
years: URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#years')
class rdflib.URIRef(value: str, base: Optional[str] = None)[source]

Bases: IdentifiedNode

RDF 1.1’s IRI Section https://www.w3.org/TR/rdf11-concepts/#section-IRIs

Note

Documentation on RDF outside of RDFLib uses the term IRI or URI whereas this class is called URIRef. This is because it was made when the first version of the RDF specification was current, and it used the term URIRef, see RDF 1.0 URIRef

An IRI (Internationalized Resource Identifier) within an RDF graph is a Unicode string that conforms to the syntax defined in RFC 3987.

IRIs in the RDF abstract syntax MUST be absolute, and MAY contain a fragment identifier.

IRIs are a generalization of URIs [RFC3986] that permits a wider range of Unicode characters.

__add__(other)[source]

Return self+value.

Return type

URIRef

__annotations__ = {'__invert__': typing.Callable[[ForwardRef('URIRef')], ForwardRef('InvPath')], '__neg__': typing.Callable[[ForwardRef('URIRef')], ForwardRef('NegatedPath')], '__or__': typing.Callable[[ForwardRef('URIRef'), typing.Union[ForwardRef('URIRef'), ForwardRef('Path')]], ForwardRef('AlternativePath')], '__truediv__': typing.Callable[[ForwardRef('URIRef'), typing.Union[ForwardRef('URIRef'), ForwardRef('Path')]], ForwardRef('SequencePath')]}
__invert__()

inverse path

Parameters

p (Union[URIRef, Path]) –

Return type

InvPath

__mod__(other)[source]

Return self%value.

Return type

URIRef

__module__ = 'rdflib.term'
__mul__(mul)

cardinality path

Parameters
Return type

MulPath

__neg__()

negated path

Parameters

p (Union[URIRef, AlternativePath, InvPath]) –

Return type

NegatedPath

static __new__(cls, value, base=None)[source]
Parameters
Return type

URIRef

__or__(other)

alternative path

Parameters
__radd__(other)[source]
Return type

URIRef

__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[URIRef], Tuple[str]]

__repr__()[source]

Return repr(self).

Return type

str

__slots__ = ()
__truediv__(other)

sequence path

Parameters
de_skolemize()[source]

Create a Blank Node from a skolem URI, in accordance with http://www.w3.org/TR/rdf11-concepts/#section-skolemization. This function accepts only rdflib type skolemization, to provide a round-tripping within the system.

New in version 4.0.

Return type

BNode

defrag()[source]
Return type

URIRef

property fragment: str

Return the URL Fragment

>>> URIRef("http://example.com/some/path/#some-fragment").fragment
'some-fragment'
>>> URIRef("http://example.com/some/path/").fragment
''
Return type

str

n3(namespace_manager=None)[source]

This will do a limited check for valid URIs, essentially just making sure that the string includes no illegal characters (<, >, ", {, }, |, \, `, ^)

Parameters

namespace_manager (Optional[NamespaceManager]) – if not None, will be used to make up a prefixed name

Return type

str

class rdflib.VANN[source]

Bases: DefinedNamespace

VANN: A vocabulary for annotating vocabulary descriptions

This document describes a vocabulary for annotating descriptions of vocabularies with examples and usage notes.

Generated from: https://vocab.org/vann/vann-vocab-20100607.rdf Date: 2020-05-26 14:21:15.580430

changes: URIRef = rdflib.term.URIRef('http://purl.org/vocab/vann/changes')
example: URIRef = rdflib.term.URIRef('http://purl.org/vocab/vann/example')
preferredNamespacePrefix: URIRef = rdflib.term.URIRef('http://purl.org/vocab/vann/preferredNamespacePrefix')
preferredNamespaceUri: URIRef = rdflib.term.URIRef('http://purl.org/vocab/vann/preferredNamespaceUri')
termGroup: URIRef = rdflib.term.URIRef('http://purl.org/vocab/vann/termGroup')
usageNote: URIRef = rdflib.term.URIRef('http://purl.org/vocab/vann/usageNote')
class rdflib.VOID[source]

Bases: DefinedNamespace

Vocabulary of Interlinked Datasets (VoID)

The Vocabulary of Interlinked Datasets (VoID) is an RDF Schema vocabulary for expressing metadata about RDF datasets. It is intended as a bridge between the publishers and users of RDF data, with applications ranging from data discovery to cataloging and archiving of datasets. This document provides a formal definition of the new RDF classes and properties introduced for VoID. It is a companion to the main specification document for VoID, <em><a href=”http://www.w3.org/TR/void/”>Describing Linked Datasets with the VoID Vocabulary</a></em>.

Generated from: http://rdfs.org/ns/void# Date: 2020-05-26 14:20:11.911298

Dataset: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#Dataset')
DatasetDescription: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#DatasetDescription')
Linkset: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#Linkset')
TechnicalFeature: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#TechnicalFeature')
classPartition: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#classPartition')
classes: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#classes')
dataDump: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#dataDump')
distinctObjects: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#distinctObjects')
distinctSubjects: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#distinctSubjects')
documents: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#documents')
entities: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#entities')
exampleResource: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#exampleResource')
feature: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#feature')
inDataset: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#inDataset')
linkPredicate: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#linkPredicate')
objectsTarget: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#objectsTarget')
openSearchDescription: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#openSearchDescription')
properties: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#properties')
property: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#property')
propertyPartition: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#propertyPartition')
rootResource: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#rootResource')
sparqlEndpoint: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#sparqlEndpoint')
subjectsTarget: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#subjectsTarget')
subset: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#subset')
target: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#target')
triples: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#triples')
uriLookupEndpoint: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#uriLookupEndpoint')
uriRegexPattern: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#uriRegexPattern')
uriSpace: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#uriSpace')
vocabulary: URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#vocabulary')
class rdflib.Variable(value: str)[source]

Bases: Identifier

A Variable - this is used for querying, or in Formula aware graphs, where Variables can be stored

__annotations__ = {}
__module__ = 'rdflib.term'
static __new__(cls, value)[source]
Parameters

value (str) –

Return type

Variable

__reduce__()[source]

Helper for pickle.

Return type

Tuple[Type[Variable], Tuple[str]]

__repr__()[source]

Return repr(self).

Return type

str

__slots__ = ()
n3(namespace_manager=None)[source]
Parameters

namespace_manager (Optional[NamespaceManager]) –

Return type

str

toPython()[source]
Return type

str

class rdflib.XSD[source]

Bases: DefinedNamespace

W3C XML Schema Definition Language (XSD) 1.1 Part 2: Datatypes

Generated from: ../schemas/datatypes.xsd Date: 2021-09-05 20:37+10

Assertions: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#Assertions')
ENTITIES: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#ENTITIES')
ENTITY: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#ENTITY')
ID: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#ID')
IDREF: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#IDREF')
IDREFS: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#IDREFS')
NCName: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#NCName')
NMTOKEN: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#NMTOKEN')
NMTOKENS: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#NMTOKENS')
NOTATION: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#NOTATION')
Name: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#Name')
QName: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#QName')
anyURI: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#anyURI')
base64Binary: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#base64Binary')
boolean: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#boolean')
bounded: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#bounded')
byte: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#byte')
cardinality: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#cardinality')
date: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#date')
dateTime: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#dateTime')
dateTimeStamp: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#dateTimeStamp')
day: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#day')
dayTimeDuration: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#dayTimeDuration')
decimal: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#decimal')
double: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#double')
duration: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#duration')
enumeration: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#enumeration')
explicitTimezone: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#explicitTimezone')
float: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#float')
fractionDigits: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#fractionDigits')
gDay: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#gDay')
gMonth: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#gMonth')
gMonthDay: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#gMonthDay')
gYear: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#gYear')
gYearMonth: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#gYearMonth')
hexBinary: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#hexBinary')
hour: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#hour')
int: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#int')
integer: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#integer')
language: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#language')
length: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#length')
long: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#long')
maxExclusive: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#maxExclusive')
maxInclusive: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#maxInclusive')
maxLength: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#maxLength')
minExclusive: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#minExclusive')
minInclusive: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#minInclusive')
minLength: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#minLength')
minute: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#minute')
month: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#month')
negativeInteger: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#negativeInteger')
nonNegativeInteger: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#nonNegativeInteger')
nonPositiveInteger: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#nonPositiveInteger')
normalizedString: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#normalizedString')
numeric: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#numeric')
ordered: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#ordered')
pattern: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#pattern')
positiveInteger: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#positiveInteger')
second: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#second')
short: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#short')
string: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#string')
time: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#time')
timezoneOffset: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#timezoneOffset')
token: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#token')
totalDigits: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#totalDigits')
unsignedByte: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#unsignedByte')
unsignedInt: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#unsignedInt')
unsignedLong: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#unsignedLong')
unsignedShort: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#unsignedShort')
whiteSpace: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#whiteSpace')
year: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#year')
yearMonthDuration: URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#yearMonthDuration')