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.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
__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
__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.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

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

Iterator over items in Collections

__len__()[source]

length of items in collection.

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

TODO

__weakref__

list of weak references to the object (if defined)

append(item)[source]
>>> 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
clear()[source]
index(item)[source]

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

n3()[source]
>>> 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> )

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: rdflib.graph.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”.

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
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.

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.

rdflib.compare.to_isomorphic(graph)[source]

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]

s is byte-string - replace escapes in string

rdflib.compat.decodeUnicodeEscape(s)[source]

s is a unicode string replace \n and \u00AC unicode escapes

rdflib.compat.sign(n)[source]

rdflib.container module

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

Bases: rdflib.container.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: rdflib.container.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: rdflib.container.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.ContextTypeError(node)[source]

Bases: rdflib.exceptions.TypeCheckError

Context of an assertion must be an instance of URIRef.

__init__(node)[source]
__module__ = 'rdflib.exceptions'
exception rdflib.exceptions.Error(msg=None)[source]

Bases: Exception

Base class for rdflib exceptions.

__init__(msg=None)[source]
__module__ = 'rdflib.exceptions'
__weakref__

list of weak references to the object (if defined)

exception rdflib.exceptions.ObjectTypeError(node)[source]

Bases: rdflib.exceptions.TypeCheckError

Object of an assertion must be an instance of URIRef, Literal, or BNode.

__init__(node)[source]
__module__ = 'rdflib.exceptions'
exception rdflib.exceptions.ParserError(msg)[source]

Bases: rdflib.exceptions.Error

RDF Parser error.

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

Return str(self).

exception rdflib.exceptions.PredicateTypeError(node)[source]

Bases: rdflib.exceptions.TypeCheckError

Predicate of an assertion must be an instance of URIRef.

__init__(node)[source]
__module__ = 'rdflib.exceptions'
exception rdflib.exceptions.SubjectTypeError(node)[source]

Bases: rdflib.exceptions.TypeCheckError

Subject of an assertion must be an instance of URIRef.

__init__(node)[source]
__module__ = 'rdflib.exceptions'
exception rdflib.exceptions.TypeCheckError(node)[source]

Bases: rdflib.exceptions.Error

Parts of assertions are subject to type checks.

__init__(node)[source]
__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 - <http://rdflib.net>:

>>> g = Graph('Memory', URIRef("http://rdflib.net"))
>>> g.identifier
rdflib.term.URIRef('http://rdflib.net')
>>> str(g)  
"<http://rdflib.net> 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("http://rdflib.net/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('http://rdflib.net/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('http://rdflib.net/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('http://rdflib.net/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 <http://rdflib.net/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("http://rdflib.net/")
>>> RDFLib.ConjunctiveGraph
rdflib.term.URIRef('http://rdflib.net/ConjunctiveGraph')
>>> RDFLib["Graph"]
rdflib.term.URIRef('http://rdflib.net/Graph')
class rdflib.graph.BatchAddGraph(graph: rdflib.graph.Graph, batch_size: int = 1000, batch_addn: bool = 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

__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]
__exit__(*exc)[source]
__init__(graph: rdflib.graph.Graph, batch_size: int = 1000, batch_addn: bool = False)[source]
__module__ = 'rdflib.graph'
__weakref__

list of weak references to the object (if defined)

add(triple_or_quad: Union[Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node], Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node, Any]]) rdflib.graph.BatchAddGraph[source]

Add a triple to the buffer

Parameters

triple – The triple to add

addN(quads: Iterable[Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node, Any]])[source]
reset()[source]

Manually clear the buffered triples and reset the count to zero

class rdflib.graph.ConjunctiveGraph(store: Union[rdflib.store.Store, str] = 'default', identifier: Optional[Union[rdflib.term.Node, str]] = None, default_graph_base: Optional[str] = None)[source]

Bases: rdflib.graph.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.

__contains__(triple_or_quad)[source]

Support for ‘triple/quad in graph’ syntax

__init__(store: Union[rdflib.store.Store, str] = 'default', identifier: Optional[Union[rdflib.term.Node, str]] = None, default_graph_base: Optional[str] = None)[source]
__len__()[source]

Number of triples in the entire conjunctive graph

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

Helper for pickle.

__str__()[source]

Return str(self).

add(triple_or_quad: Union[Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node, Optional[Any]], Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node]]) rdflib.graph.ConjunctiveGraph[source]

Add a triple or quad to the store.

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

addN(quads: Iterable[Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node, Any]])[source]

Add a sequence of triples with context

context_id(uri, context_id=None)[source]

URI#context

contexts(triple=None)[source]

Iterate over all contexts in the graph

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

get_context(identifier: Optional[Union[rdflib.term.Node, str]], quoted: bool = False, base: Optional[str] = None) rdflib.graph.Graph[source]

Return a context graph for the given identifier

identifier must be a URIRef or BNode.

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.

quads(triple_or_quad=None)[source]

Iterate over all the quads in the entire conjunctive graph

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

remove_context(context)[source]

Removes the given context from the graph

triples(triple_or_quad, context=None)[source]

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.

triples_choices(triple, context=None)[source]

Iterate over all the triples in the entire conjunctive graph

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

Bases: rdflib.graph.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
http://rdlib.net/.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.

__getstate__()[source]
__init__(store='default', default_union=False, default_graph_base=None)[source]
__iter__() Generator[Tuple[rdflib.term.Node, rdflib.term.URIRef, rdflib.term.Node, Optional[Union[rdflib.term.BNode, rdflib.term.URIRef]]], None, None][source]

Iterates over all quads in the store

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

Helper for pickle.

__setstate__(state)[source]
__str__()[source]

Return str(self).

add_graph(g)[source]

alias of graph for consistency

contexts(triple=None)[source]

Iterate over all contexts in the graph

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

graph(identifier=None, base=None)[source]
graphs(triple=None)

Iterate over all contexts in the graph

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

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.

quads(quad)[source]

Iterate over all the quads in the entire conjunctive graph

remove_graph(g)[source]
class rdflib.graph.Graph(store: Union[rdflib.store.Store, str] = 'default', identifier: Optional[Union[rdflib.term.Node, str]] = None, namespace_manager: Optional[rdflib.namespace.NamespaceManager] = None, base: Optional[str] = None)[source]

Bases: rdflib.term.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.

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/

__add__(other)[source]

Set-theoretic union BNode IDs are not changed.

__and__(other)

Set-theoretic intersection. BNode IDs are not changed.

__cmp__(other)[source]
__contains__(triple)[source]

Support for ‘triple in graph’ syntax

__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    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__>, '_Graph__get_store': <function Graph.__get_store>, 'store': <property object>, '_Graph__get_identifier': <function Graph.__get_identifier>, 'identifier': <property object>, '_get_namespace_manager': <function Graph._get_namespace_manager>, '_set_namespace_manager': <function Graph._set_namespace_manager>, '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>, 'label': <function Graph.label>, 'preferredLabel': <function Graph.preferredLabel>, 'comment': <function Graph.comment>, 'items': <function Graph.items>, 'transitiveClosure': <function Graph.transitiveClosure>, 'transitive_objects': <function Graph.transitive_objects>, 'transitive_subjects': <function Graph.transitive_subjects>, 'seq': <function Graph.seq>, '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>, 'load': <function Graph.load>, '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': 'Node', '__store': 'Store'}})
__eq__(other)[source]

Return self==value.

__ge__(other)[source]

Return self>=value.

__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.

__hash__()[source]

Return hash(self).

__iadd__(other)[source]

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

__init__(store: Union[rdflib.store.Store, str] = 'default', identifier: Optional[Union[rdflib.term.Node, str]] = None, namespace_manager: Optional[rdflib.namespace.NamespaceManager] = None, base: Optional[str] = None)[source]
__isub__(other)[source]

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

__iter__()[source]

Iterates over all triples in the store

__le__(other)[source]

Return self<=value.

__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.

__lt__(other)[source]

Return self<value.

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

Set-theoretic intersection. BNode IDs are not changed.

__or__(other)

Set-theoretic union BNode IDs are not changed.

__reduce__()[source]

Helper for pickle.

__repr__()[source]

Return repr(self).

__str__()[source]

Return str(self).

__sub__(other)[source]

Set-theoretic difference. BNode IDs are not changed.

__weakref__

list of weak references to the object (if defined)

__xor__(other)[source]

Set-theoretic XOR. BNode IDs are not changed.

absolutize(uri, defrag=1)[source]

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

add(triple: Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node])[source]

Add a triple with self as context

addN(quads: Iterable[Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node, Any]])[source]

Add a sequence of triple with context

all_nodes()[source]
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/”)

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 – a URIRef object, of the Resource for queried for

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.

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) ]
comment(subject, default='')[source]

Query for the RDFS.comment of the subject

Return default if no comment exists

commit()[source]

Commits active transactions

compute_qname(uri, generate=True)[source]
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.

de_skolemize(new_graph=None, uriref=None)[source]
destroy(configuration)[source]

Destroy the store identified by configuration if supported

property identifier
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

items(list)[source]

Generator over all items in the resource specified by list

list is an RDF collection.

label(subject, default='')[source]

Query for the RDFS.label of the subject

Return default if no label exists or any label if multiple exist.

load(source, publicID=None, format='xml')[source]
n3()[source]

Return an n3 identifier for the Graph

property namespace_manager

this graph’s namespace-manager

namespaces()[source]

Generator over all the prefix, namespace tuples

objects(subject=None, predicate=None) Iterable[rdflib.term.Node][source]

A generator of objects with the given subject and predicate

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.

parse(source=None, publicID=None, format: Optional[str] = None, location=None, file=None, data: Optional[Union[str, bytes, bytearray]] = 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.

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 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
predicate_objects(subject=None)[source]

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

predicates(subject=None, object=None) Iterable[rdflib.term.Node][source]

A generator of predicates with the given subject and object

preferredLabel(subject, lang=None, default=None, labelProperties=(rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel'), rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#label')))[source]

Find the preferred label for subject.

By default prefers skos:prefLabels over rdfs:labels. In case at least one prefLabel is found returns those, else returns labels. In case a language string (e.g., “en”, “de” or even “” for no lang-tagged literals) is given, only such labels will be considered.

Return a list of (labelProp, label) pairs, where labelProp is either skos:prefLabel or rdfs:label.

>>> from rdflib import ConjunctiveGraph, URIRef, Literal, namespace
>>> from pprint import pprint
>>> g = ConjunctiveGraph()
>>> u = URIRef("http://example.com/foo")
>>> g.add([u, namespace.RDFS.label, Literal("foo")]) 
<Graph identifier=... (<class 'rdflib.graph.ConjunctiveGraph'>)>
>>> g.add([u, namespace.RDFS.label, Literal("bar")]) 
<Graph identifier=... (<class 'rdflib.graph.ConjunctiveGraph'>)>
>>> pprint(sorted(g.preferredLabel(u)))
[(rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#label'),
  rdflib.term.Literal('bar')),
 (rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#label'),
  rdflib.term.Literal('foo'))]
>>> g.add([u, namespace.SKOS.prefLabel, Literal("bla")]) 
<Graph identifier=... (<class 'rdflib.graph.ConjunctiveGraph'>)>
>>> pprint(g.preferredLabel(u))
[(rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel'),
  rdflib.term.Literal('bla'))]
>>> g.add([u, namespace.SKOS.prefLabel, Literal("blubb", lang="en")]) 
<Graph identifier=... (<class 'rdflib.graph.ConjunctiveGraph'>)>
>>> sorted(g.preferredLabel(u)) 
[(rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel'),
  rdflib.term.Literal('bla')),
  (rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel'),
  rdflib.term.Literal('blubb', lang='en'))]
>>> g.preferredLabel(u, lang="") 
[(rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel'),
  rdflib.term.Literal('bla'))]
>>> pprint(g.preferredLabel(u, lang="en"))
[(rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel'),
  rdflib.term.Literal('blubb', lang='en'))]
print(format='turtle', encoding='utf-8', out=None)[source]
qname(uri)[source]
query(query_object, processor: Union[str, rdflib.query.Processor] = 'sparql', result: Union[str, Type[rdflib.query.Result]] = 'sparql', initNs=None, initBindings=None, use_store_provided: bool = True, **kwargs) rdflib.query.Result[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.

Returntype

rdflib.query.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.

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
rollback()[source]

Rollback active transactions

seq(subject)[source]

Check if subject is an rdf:Seq

If yes, it returns a Seq class instance, None otherwise.

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

Serialize the Graph to destination

If destination is None serialize method returns the serialization as bytes or string.

If encoding is None and destination is None, returns a string If encoding is set, and Destination is None, returns bytes

Format defaults to turtle.

Format support can be extended with plugins, but “xml”, “n3”, “turtle”, “nt”, “pretty-xml”, “trix”, “trig” and “nquads” are built in.

set(triple)[source]

Convenience method to update the value of object

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

skolemize(new_graph=None, bnode=None, authority=None, basepath=None)[source]
property store
subject_objects(predicate=None)[source]

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

subject_predicates(object=None)[source]

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

subjects(predicate=None, object=None) Iterable[rdflib.term.Node][source]

A generator of subjects with the given predicate and object

toPython()[source]
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')]
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.

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.

triples(triple: Tuple[Optional[rdflib.term.Node], Union[None, rdflib.paths.Path, rdflib.term.Node], Optional[rdflib.term.Node]])[source]

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.

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

Update this graph with the given update query.

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

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

exception rdflib.graph.ModificationException[source]

Bases: Exception

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

Return str(self).

__weakref__

list of weak references to the object (if defined)

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

Bases: rdflib.graph.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.

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

Helper for pickle.

__str__()[source]

Return str(self).

add(triple: Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node])[source]

Add a triple with self as context

addN(quads: Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node, Any]) rdflib.graph.QuotedGraph[source]

Add a sequence of triple with context

n3()[source]

Return an n3 identifier for the Graph

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

Bases: rdflib.graph.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.

__cmp__(other)[source]
__contains__(triple_or_quad)[source]

Support for ‘triple/quad in graph’ syntax

__hash__()[source]

Return hash(self).

__iadd__(other)[source]

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

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

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

__len__()[source]

Number of triples in the entire conjunctive graph

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

Helper for pickle.

__repr__()[source]

Return repr(self).

absolutize(uri, defrag=1)[source]

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

add(triple)[source]

Add a triple or quad to the store.

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

addN(quads)[source]

Add a sequence of triples with context

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/”)

close()[source]

Close the graph store

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

commit()[source]

Commits active transactions

compute_qname(uri, generate=True)[source]
destroy(configuration)[source]

Destroy the store identified by configuration if supported

n3()[source]

Return an n3 identifier for the Graph

namespaces()[source]

Generator over all the prefix, namespace tuples

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.

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.

qname(uri)[source]
quads(triple)[source]

Iterate over all the quads in the entire aggregate graph

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

rollback()[source]

Rollback active transactions

triples(triple)[source]

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.

triples_choices(triple, context=None)[source]

Iterate over all the triples in the entire conjunctive graph

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.

__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__': {}})
__getitem__(index)[source]

Item given by index from the Seq

__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!

__iter__()[source]

Generator over the items in the Seq

__len__()[source]

Length of the Seq

__module__ = 'rdflib.graph'
__weakref__

list of weak references to the object (if defined)

toPython()[source]
exception rdflib.graph.UnSupportedAggregateOperation[source]

Bases: Exception

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

Return str(self).

__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: rdflib.parser.InputSource

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

Return repr(self).

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

Bases: xml.sax.xmlreader.InputSource, object

TODO:

__init__(system_id=None)[source]
__module__ = 'rdflib.parser'
close()[source]
class rdflib.parser.Parser[source]

Bases: object

__init__()[source]
__module__ = 'rdflib.parser'
__slots__ = ()
parse(source, sink)[source]
class rdflib.parser.PythonInputSource(data, system_id=None)[source]

Bases: rdflib.parser.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
__init__(data, system_id=None)[source]
__module__ = 'rdflib.parser'
close()[source]
getPublicId()[source]

Returns the public identifier of this InputSource.

getSystemId()[source]

Returns the system identifier of this InputSource.

setPublicId(public_id)[source]

Sets the public identifier of this InputSource.

setSystemId(system_id)[source]

Sets the system identifier of this InputSource.

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

Bases: rdflib.parser.InputSource

Constructs an RDFLib Parser InputSource from a Python String or Bytes

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

Bases: rdflib.parser.InputSource

TODO:

__init__(system_id=None, format=None)[source]
__module__ = 'rdflib.parser'
__repr__()[source]

Return repr(self).

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(evalPath(g, (None, e.p1/e.p2, None)))==[(e.a, e.e)]
True
>>> list(evalPath(g, (e.a, e.p1|e.p2, None)))==[(e.a,e.c), (e.a,e.f)]
True
>>> list(evalPath(g, (e.c, ~e.p1, None))) == [ (e.c, e.a) ]
True
>>> list(evalPath(g, (e.a, e.p1*ZeroOrOne, None))) == [(e.a, e.a), (e.a, e.c)]
True
>>> list(evalPath(g, (e.c, e.p3*OneOrMore, None))) == [
...     (e.c, e.g), (e.c, e.h), (e.c, e.a)]
True
>>> list(evalPath(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(evalPath(g, (e.a, -e.p1, None))) == [(e.a, e.f)]
True
>>> list(evalPath(g, (e.a, -(e.p1|e.p2), None))) == []
True
>>> list(evalPath(g, (e.g, -~e.p2, None))) == [(e.g, e.j)]
True
>>> list(evalPath(g, (e.e, ~(e.p1/e.p2), None))) == [(e.e, e.a)]
True
>>> list(evalPath(g, (e.a, e.p1/e.p3/e.p3, None))) == [(e.a, e.h)]
True
>>> list(evalPath(g, (e.q, e.px*OneOrMore, None)))
[(rdflib.term.URIRef('ex:q'), rdflib.term.URIRef('ex:q'))]
>>> list(evalPath(g, (None, e.p1|e.p2, e.c)))
[(rdflib.term.URIRef('ex:a'), rdflib.term.URIRef('ex:c'))]
>>> list(evalPath(g, (None, ~e.p1, e.a))) == [ (e.c, e.a) ]
True
>>> list(evalPath(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(evalPath(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(evalPath(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(evalPath(g, (None, -e.p1, e.f))) == [(e.a, e.f)]
True
>>> list(evalPath(g, (None, -(e.p1|e.p2), e.c))) == []
True
>>> list(evalPath(g, (None, -~e.p2, e.j))) == [(e.g, e.j)]
True
>>> list(evalPath(g, (None, ~(e.p1/e.p2), e.a))) == [(e.e, e.a)]
True
>>> list(evalPath(g, (None, e.p1/e.p3/e.p3, e.h))) == [(e.a, e.h)]
True
>>> list(evalPath(g, (e.q, e.px*OneOrMore, None)))
[(rdflib.term.URIRef('ex:q'), rdflib.term.URIRef('ex:q'))]
>>> list(evalPath(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(evalPath(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: rdflib.paths.Path

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

Return repr(self).

eval(graph, subj=None, obj=None)[source]
n3()[source]
class rdflib.paths.InvPath(arg)[source]

Bases: rdflib.paths.Path

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

Return repr(self).

eval(graph, subj=None, obj=None)[source]
n3()[source]
class rdflib.paths.MulPath(path, mod)[source]

Bases: rdflib.paths.Path

__init__(path, mod)[source]
__module__ = 'rdflib.paths'
__repr__()[source]

Return repr(self).

eval(graph, subj=None, obj=None, first=True)[source]
n3()[source]
class rdflib.paths.NegatedPath(arg)[source]

Bases: rdflib.paths.Path

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

Return repr(self).

eval(graph, subj=None, obj=None)[source]
n3()[source]
class rdflib.paths.Path[source]

Bases: object

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

Return self==value.

__ge__(other)[source]

Return self>=value.

__gt__(other)[source]

Return self>value.

__hash__()[source]

Return hash(self).

__invert__()

inverse path

__le__(other)[source]

Return self<=value.

__lt__(other)[source]

Return self<value.

__module__ = 'rdflib.paths'
__mul__(mul)

cardinality path

__ne__(other)[source]

Return self!=value.

__neg__()

negated path

__or__(other)

alternative path

__truediv__(other)

sequence path

__weakref__

list of weak references to the object (if defined)

eval(graph, subj=None, obj=None)[source]
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: rdflib.paths.Path

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

Return repr(self).

eval(graph, subj=None, obj=None)[source]
n3()[source]
rdflib.paths.evalPath(graph, t)[source]
rdflib.paths.inv_path(p)[source]

inverse path

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

cardinality path

rdflib.paths.neg_path(p)[source]

negated path

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

alternative path

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

sequence path

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: str, kind: Type[rdflib.plugin.PluginT], ep: EntryPoint)[source]

Bases: rdflib.plugin.Plugin[rdflib.plugin.PluginT]

__init__(name: str, kind: Type[rdflib.plugin.PluginT], ep: EntryPoint)[source]
__module__ = 'rdflib.plugin'
__orig_bases__ = (rdflib.plugin.Plugin[~PluginT],)
__parameters__ = (~PluginT,)
getClass() Type[rdflib.plugin.PluginT][source]
class rdflib.plugin.Plugin(name: str, kind: Type[rdflib.plugin.PluginT], module_path: str, class_name: str)[source]

Bases: Generic[rdflib.plugin.PluginT]

__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: str, kind: Type[rdflib.plugin.PluginT], module_path: str, class_name: str)[source]
__module__ = 'rdflib.plugin'
__orig_bases__ = (typing.Generic[~PluginT],)
__parameters__ = (~PluginT,)
__weakref__

list of weak references to the object (if defined)

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

Bases: rdflib.exceptions.Error

__module__ = 'rdflib.plugin'
rdflib.plugin.get(name: str, kind: Type[rdflib.plugin.PluginT]) Type[rdflib.plugin.PluginT][source]

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

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

A generator of the plugins.

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

rdflib.plugin.register(name: str, kind: Type[Any], 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.

rdflib.query module

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.

__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]
__module__ = 'rdflib.query'
__weakref__

list of weak references to the object (if defined)

query(strOrQuery, initBindings={}, initNs={}, DEBUG=False)[source]
class rdflib.query.Result(type_: str)[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.

__bool__()[source]
__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__>, '_get_bindings': <function Result._get_bindings>, '_set_bindings': <function Result._set_bindings>, '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']]", 'askAnswer': 'bool', 'graph': "'Graph'"}})
__eq__(other)[source]

Return self==value.

__getattr__(name)[source]
__hash__ = None
__init__(type_: str)[source]
__iter__()[source]
__len__()[source]
__module__ = 'rdflib.query'
__weakref__

list of weak references to the object (if defined)

property bindings

a list of variable bindings as dicts

static parse(source=None, format: Optional[str] = None, content_type: Optional[str] = None, **kwargs)[source]
serialize(destination: Optional[Union[str, IO]] = None, encoding: str = 'utf-8', format: str = 'xml', **args) Optional[bytes][source]

Serialize the query result.

The format argument determines the Serializer class to use.

Parameters
  • destination – Path of file output or BufferedIOBase object to write the output to.

  • encoding – Encoding of output.

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

  • args

Returns

bytes

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

class rdflib.query.ResultSerializer(result: rdflib.query.Result)[source]

Bases: object

__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: rdflib.query.Result)[source]
__module__ = 'rdflib.query'
__weakref__

list of weak references to the object (if defined)

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

return a string properly serialized

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`s and :class:`rdflib.term.BNode`s) are in turn wrapped as Resources. (Note that this behaviour differs from the corresponding methods in :class:`~rdflib.graph.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.label())
...     print(pic.comment())
...     print(pic.value(FOAF.thumbnail).identifier)
http://example.org/images/person/some1.jpg
foaf:Image
some 1
Just an 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

Similarly, adding, setting and removing data is easy:

>>> thumb.add(RDFS.label, Literal("thumb"))
>>> print(thumb.label())
thumb
>>> thumb.set(RDFS.label, Literal("thumbnail"))
>>> print(thumb.label())
thumbnail
>>> thumb.remove(RDFS.label)
>>> list(thumb.objects(RDFS.label))
[]

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']

And the sequence of Stuff:

>>> stuff = Resource(graph, URIRef("http://example.org/def/v#Stuff"))
>>> [it.qname() for it in stuff.seq()]
[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>, 'label': <function Resource.label>, 'comment': <function Resource.comment>, 'items': <function Resource.items>, 'transitive_objects': <function Resource.transitive_objects>, 'transitive_subjects': <function Resource.transitive_subjects>, 'seq': <function Resource.seq>, '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]
comment()[source]
property graph
property identifier
items()[source]
label()[source]
objects(predicate=None)[source]
predicate_objects()[source]
predicates(o=None)[source]
qname()[source]
remove(p, o=None)[source]
seq()[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

Serializer plugin interface.

This module is useful for those wanting to write a serializer that can plugin to rdflib. If you are wanting to invoke a serializer you likely want to do so through the Graph class serialize method.

TODO: info for how to write a serializer that can plugin to rdflib. See also rdflib.plugin

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

Bases: object

__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: Graph)[source]
__module__ = 'rdflib.serializer'
__weakref__

list of weak references to the object (if defined)

relativize(uri: str)[source]
serialize(stream: IO[bytes], base: Optional[str] = None, encoding: Optional[str] = None, **args) None[source]

Abstract method

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__': {}})
__getstate__()[source]
__init__()[source]
__module__ = 'rdflib.store'
__setstate__(state)[source]
__weakref__

list of weak references to the object (if defined)

dumps(obj, protocol=None, bin=None)[source]
loads(s)[source]
register(object, id)[source]
class rdflib.store.Store(configuration=None, identifier=None)[source]

Bases: object

__dict__ = mappingproxy({'__module__': 'rdflib.store', 'context_aware': False, 'formula_aware': False, 'transaction_aware': False, 'graph_aware': False, '__init__': <function Store.__init__>, '_Store__get_node_pickler': <function Store.__get_node_pickler>, '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, '__annotations__': {}})
__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.

__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 – a graph instance to query or None

__module__ = 'rdflib.store'
__weakref__

list of weak references to the object (if defined)

add(triple: Tuple[Node, Node, Node], context: Optional[Graph], quoted: bool = 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.

addN(quads: Iterable[Tuple[Node, Node, Node, Graph]])[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

add_graph(graph)[source]

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

bind(prefix, namespace)[source]
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).

commit()[source]
context_aware = 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

Returns

a generator over Nodes

create(configuration)[source]
destroy(configuration)[source]

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

formula_aware = False
gc()[source]

Allows the store to perform any needed garbage collection

graph_aware = False
namespace(prefix)[source]
namespaces()[source]
property node_pickler
open(configuration, create: bool = 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

prefix(namespace)[source]
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.)

remove(triple, context=None)[source]

Remove the set of triples matching the pattern from the store

remove_graph(graph)[source]

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

Parameters

graphid – a Graph instance

rollback()[source]
transaction_aware = False
triples(triple_pattern: Tuple[Optional[Node], Optional[Node], Optional[Node]], 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 – 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).

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

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.)

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

Bases: rdflib.events.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: rdflib.events.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: rdflib.events.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=None, _sn_gen=<function _serial_number_generator.<locals>._generator>, _prefix='N')[source]

Bases: rdflib.term.Identifier

Blank Node: http://www.w3.org/TR/rdf-concepts/#section-blank-nodes

__getnewargs__()[source]
__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

__reduce__()[source]

Helper for pickle.

__repr__()[source]

Return repr(self).

__slots__ = ()
n3(namespace_manager=None)[source]
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.

toPython()[source]
class rdflib.term.Identifier(value)[source]

Bases: rdflib.term.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
__ge__(other)[source]

Return self>=value.

__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

__hash__()

Return hash(self).

__le__(other)[source]

Return self<=value.

__lt__(other)[source]

Return self<value.

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

Return self!=value.

static __new__(cls, value)[source]
__slots__ = ()
eq(other)[source]

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

neq(other)[source]

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

startswith(prefix[, start[, end]]) bool[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.

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

Bases: rdflib.term.Identifier

RDF Literal: http://www.w3.org/TR/rdf-concepts/#section-Graph-Literal

The lexical value of the literal is the unicode object. The interpreted, datatyped value is available from .value

Language tags must be valid according to :rfc:5646

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')
__add__(val)[source]
>>> 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')
__annotations__ = {'_value': typing.Any}
__bool__()[source]

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

__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
__ge__(other)[source]

Return self>=value.

__getstate__()[source]
__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

__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)

__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')
__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
__lt__(other)[source]

Return self<value.

__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')
>>>
static __new__(cls, lexical_or_value: Any, lang: Optional[str] = None, datatype: Optional[str] = None, normalize: Optional[bool] = None)[source]
__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')
__reduce__()[source]

Helper for pickle.

__repr__()[source]

Return repr(self).

__setstate__(arg)[source]
__slots__ = ('_language', '_datatype', '_value')
property datatype
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

property language: 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'
neq(other)[source]

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

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’))

toPython()[source]

Returns an appropriate python datatype derived from this RDF Literal

property value
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: rdflib.term.Identifier

RDF URI Reference: http://www.w3.org/TR/rdf-concepts/#section-Graph-URIref

__add__(other)[source]

Return self+value.

__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')]}
__getnewargs__()[source]
__invert__()

inverse path

__mod__(other)[source]

Return self%value.

__module__ = 'rdflib.term'
__mul__(mul)

cardinality path

__neg__()

negated path

static __new__(cls, value: str, base: Optional[str] = None)[source]
__or__(other)

alternative path

__radd__(other)[source]
__reduce__()[source]

Helper for pickle.

__repr__()[source]

Return repr(self).

__slots__ = ()
__truediv__(other)

sequence path

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.

defrag()[source]
n3(namespace_manager=None) str[source]

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

Parameters

namespace_manager – if not None, will be used to make up a prefixed name

toPython()[source]
class rdflib.term.Variable(value)[source]

Bases: rdflib.term.Identifier

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

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

Helper for pickle.

__repr__()[source]

Return repr(self).

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

register a new datatype<->pythontype binding

Parameters
  • constructor – an optional function for converting lexical forms into a Python instances, if not given the pythontype is used directly

  • lexicalizer – an optional function for converting python objects to lexical form, if not given object.__str__ is used

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

rdflib.util module

Some utility functions.

Miscellaneous utilities

  • list2set

  • first

  • uniq

  • more_than

Term characterisation and generation

  • to_term

  • from_n3

Date/time utilities

  • date_time

  • parse_date_time

Statement and component type checkers

  • check_context

  • check_subject

  • check_predicate

  • check_object

  • check_statement

  • check_pattern

rdflib.util.check_context(c)[source]
rdflib.util.check_object(o)[source]

Test that o is a valid object identifier.

rdflib.util.check_pattern(triple)[source]
rdflib.util.check_predicate(p)[source]

Test that p is a valid predicate identifier.

rdflib.util.check_statement(triple)[source]
rdflib.util.check_subject(s)[source]

Test that s is a valid subject identifier.

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

rdflib.util.first(seq)[source]

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

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

Creates the Identifier corresponding to the given n3 string.

>>> 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
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

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'
rdflib.util.list2set(seq)[source]

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

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

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

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
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)

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

removes duplicate strings from the sequence.

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=None, _sn_gen=<function _serial_number_generator.<locals>._generator>, _prefix='N')[source]

Bases: rdflib.term.Identifier

Blank Node: http://www.w3.org/TR/rdf-concepts/#section-blank-nodes

__annotations__ = {}
__getnewargs__()[source]
__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

__reduce__()[source]

Helper for pickle.

__repr__()[source]

Return repr(self).

__slots__ = ()
n3(namespace_manager=None)[source]
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.

toPython()[source]
class rdflib.BRICK[source]

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

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

Bases: rdflib.graph.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.

__annotations__ = {'__identifier': 'Node', '__store': 'Store'}
__contains__(triple_or_quad)[source]

Support for ‘triple/quad in graph’ syntax

__init__(store: Union[rdflib.store.Store, str] = 'default', identifier: Optional[Union[rdflib.term.Node, str]] = None, default_graph_base: Optional[str] = None)[source]
__len__()[source]

Number of triples in the entire conjunctive graph

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

Helper for pickle.

__str__()[source]

Return str(self).

add(triple_or_quad: Union[Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node, Optional[Any]], Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node]]) rdflib.graph.ConjunctiveGraph[source]

Add a triple or quad to the store.

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

addN(quads: Iterable[Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node, Any]])[source]

Add a sequence of triples with context

context_id(uri, context_id=None)[source]

URI#context

contexts(triple=None)[source]

Iterate over all contexts in the graph

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

get_context(identifier: Optional[Union[rdflib.term.Node, str]], quoted: bool = False, base: Optional[str] = None) rdflib.graph.Graph[source]

Return a context graph for the given identifier

identifier must be a URIRef or BNode.

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.

quads(triple_or_quad=None)[source]

Iterate over all the quads in the entire conjunctive graph

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

remove_context(context)[source]

Removes the given context from the graph

triples(triple_or_quad, context=None)[source]

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.

triples_choices(triple, context=None)[source]

Iterate over all the triples in the entire conjunctive graph

class rdflib.DC[source]

Bases: rdflib.namespace.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

__annotations__ = {'contributor': <class 'rdflib.term.URIRef'>, 'coverage': <class 'rdflib.term.URIRef'>, 'creator': <class 'rdflib.term.URIRef'>, 'date': <class 'rdflib.term.URIRef'>, 'description': <class 'rdflib.term.URIRef'>, 'format': <class 'rdflib.term.URIRef'>, 'identifier': <class 'rdflib.term.URIRef'>, 'language': <class 'rdflib.term.URIRef'>, 'publisher': <class 'rdflib.term.URIRef'>, 'relation': <class 'rdflib.term.URIRef'>, 'rights': <class 'rdflib.term.URIRef'>, 'source': <class 'rdflib.term.URIRef'>, 'subject': <class 'rdflib.term.URIRef'>, 'title': <class 'rdflib.term.URIRef'>, 'type': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._DC'
contributor: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/contributor')
coverage: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/coverage')
creator: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/creator')
date: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/date')
description: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/description')
format: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/format')
identifier: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/identifier')
language: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/language')
publisher: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/publisher')
relation: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/relation')
rights: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/rights')
source: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/source')
subject: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/subject')
title: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/title')
type: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/elements/1.1/type')
class rdflib.DCAT[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#Catalog')
CatalogRecord: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#CatalogRecord')
DataService: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#DataService')
Dataset: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#Dataset')
Distribution: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#Distribution')
Relationship: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#Relationship')
Resource: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#Resource')
Role: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#Role')
__annotations__ = {'Catalog': <class 'rdflib.term.URIRef'>, 'CatalogRecord': <class 'rdflib.term.URIRef'>, 'DataService': <class 'rdflib.term.URIRef'>, 'Dataset': <class 'rdflib.term.URIRef'>, 'Distribution': <class 'rdflib.term.URIRef'>, 'Relationship': <class 'rdflib.term.URIRef'>, 'Resource': <class 'rdflib.term.URIRef'>, 'Role': <class 'rdflib.term.URIRef'>, 'accessService': <class 'rdflib.term.URIRef'>, 'accessURL': <class 'rdflib.term.URIRef'>, 'bbox': <class 'rdflib.term.URIRef'>, 'byteSize': <class 'rdflib.term.URIRef'>, 'catalog': <class 'rdflib.term.URIRef'>, 'centroid': <class 'rdflib.term.URIRef'>, 'compressFormat': <class 'rdflib.term.URIRef'>, 'contactPoint': <class 'rdflib.term.URIRef'>, 'dataset': <class 'rdflib.term.URIRef'>, 'distribution': <class 'rdflib.term.URIRef'>, 'downloadURL': <class 'rdflib.term.URIRef'>, 'endDate': <class 'rdflib.term.URIRef'>, 'endpointDescription': <class 'rdflib.term.URIRef'>, 'endpointURL': <class 'rdflib.term.URIRef'>, 'hadRole': <class 'rdflib.term.URIRef'>, 'keyword': <class 'rdflib.term.URIRef'>, 'landingPage': <class 'rdflib.term.URIRef'>, 'mediaType': <class 'rdflib.term.URIRef'>, 'packageFormat': <class 'rdflib.term.URIRef'>, 'qualifiedRelation': <class 'rdflib.term.URIRef'>, 'record': <class 'rdflib.term.URIRef'>, 'servesDataset': <class 'rdflib.term.URIRef'>, 'service': <class 'rdflib.term.URIRef'>, 'spatialResolutionInMeters': <class 'rdflib.term.URIRef'>, 'startDate': <class 'rdflib.term.URIRef'>, 'temporalResolution': <class 'rdflib.term.URIRef'>, 'theme': <class 'rdflib.term.URIRef'>, 'themeTaxonomy': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._DCAT'
accessService: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#accessService')
accessURL: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#accessURL')
bbox: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#bbox')
byteSize: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#byteSize')
catalog: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#catalog')
centroid: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#centroid')
compressFormat: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#compressFormat')
contactPoint: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#contactPoint')
dataset: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#dataset')
distribution: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#distribution')
downloadURL: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#downloadURL')
endDate: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#endDate')
endpointDescription: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#endpointDescription')
endpointURL: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#endpointURL')
hadRole: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#hadRole')
keyword: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#keyword')
landingPage: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#landingPage')
mediaType: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#mediaType')
packageFormat: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#packageFormat')
qualifiedRelation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#qualifiedRelation')
record: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#record')
servesDataset: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#servesDataset')
service: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#service')
spatialResolutionInMeters: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#spatialResolutionInMeters')
startDate: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#startDate')
temporalResolution: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#temporalResolution')
theme: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#theme')
themeTaxonomy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dcat#themeTaxonomy')
class rdflib.DCMITYPE[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Collection')
Dataset: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Dataset')
Event: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Event')
Image: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Image')
InteractiveResource: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/InteractiveResource')
MovingImage: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/MovingImage')
PhysicalObject: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/PhysicalObject')
Service: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Service')
Software: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Software')
Sound: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Sound')
StillImage: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/StillImage')
Text: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/dc/dcmitype/Text')
__annotations__ = {'Collection': <class 'rdflib.term.URIRef'>, 'Dataset': <class 'rdflib.term.URIRef'>, 'Event': <class 'rdflib.term.URIRef'>, 'Image': <class 'rdflib.term.URIRef'>, 'InteractiveResource': <class 'rdflib.term.URIRef'>, 'MovingImage': <class 'rdflib.term.URIRef'>, 'PhysicalObject': <class 'rdflib.term.URIRef'>, 'Service': <class 'rdflib.term.URIRef'>, 'Software': <class 'rdflib.term.URIRef'>, 'Sound': <class 'rdflib.term.URIRef'>, 'StillImage': <class 'rdflib.term.URIRef'>, 'Text': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._DCMITYPE'
class rdflib.DCTERMS[source]

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

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

Bases: rdflib.graph.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
http://rdlib.net/.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.

__annotations__ = {'__identifier': 'Node', '__store': 'Store'}
__getstate__()[source]
__init__(store='default', default_union=False, default_graph_base=None)[source]
__iter__() Generator[Tuple[rdflib.term.Node, rdflib.term.URIRef, rdflib.term.Node, Optional[Union[rdflib.term.BNode, rdflib.term.URIRef]]], None, None][source]

Iterates over all quads in the store

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

Helper for pickle.

__setstate__(state)[source]
__str__()[source]

Return str(self).

add_graph(g)[source]

alias of graph for consistency

contexts(triple=None)[source]

Iterate over all contexts in the graph

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

graph(identifier=None, base=None)[source]
graphs(triple=None)

Iterate over all contexts in the graph

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

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.

quads(quad)[source]

Iterate over all the quads in the entire conjunctive graph

remove_graph(g)[source]
class rdflib.FOAF[source]

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

Bases: rdflib.term.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.

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/

__add__(other)[source]

Set-theoretic union BNode IDs are not changed.

__and__(other)

Set-theoretic intersection. BNode IDs are not changed.

__annotations__ = {'__identifier': 'Node', '__store': 'Store'}
__cmp__(other)[source]
__contains__(triple)[source]

Support for ‘triple in graph’ syntax

__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    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__>, '_Graph__get_store': <function Graph.__get_store>, 'store': <property object>, '_Graph__get_identifier': <function Graph.__get_identifier>, 'identifier': <property object>, '_get_namespace_manager': <function Graph._get_namespace_manager>, '_set_namespace_manager': <function Graph._set_namespace_manager>, '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>, 'label': <function Graph.label>, 'preferredLabel': <function Graph.preferredLabel>, 'comment': <function Graph.comment>, 'items': <function Graph.items>, 'transitiveClosure': <function Graph.transitiveClosure>, 'transitive_objects': <function Graph.transitive_objects>, 'transitive_subjects': <function Graph.transitive_subjects>, 'seq': <function Graph.seq>, '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>, 'load': <function Graph.load>, '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': 'Node', '__store': 'Store'}})
__eq__(other)[source]

Return self==value.

__ge__(other)[source]

Return self>=value.

__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.

__hash__()[source]

Return hash(self).

__iadd__(other)[source]

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

__init__(store: Union[rdflib.store.Store, str] = 'default', identifier: Optional[Union[rdflib.term.Node, str]] = None, namespace_manager: Optional[rdflib.namespace.NamespaceManager] = None, base: Optional[str] = None)[source]
__isub__(other)[source]

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

__iter__()[source]

Iterates over all triples in the store

__le__(other)[source]

Return self<=value.

__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.

__lt__(other)[source]

Return self<value.

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

Set-theoretic intersection. BNode IDs are not changed.

__or__(other)

Set-theoretic union BNode IDs are not changed.

__reduce__()[source]

Helper for pickle.

__repr__()[source]

Return repr(self).

__str__()[source]

Return str(self).

__sub__(other)[source]

Set-theoretic difference. BNode IDs are not changed.

__weakref__

list of weak references to the object (if defined)

__xor__(other)[source]

Set-theoretic XOR. BNode IDs are not changed.

absolutize(uri, defrag=1)[source]

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

add(triple: Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node])[source]

Add a triple with self as context

addN(quads: Iterable[Tuple[rdflib.term.Node, rdflib.term.Node, rdflib.term.Node, Any]])[source]

Add a sequence of triple with context

all_nodes()[source]
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/”)

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 – a URIRef object, of the Resource for queried for

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.

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) ]
comment(subject, default='')[source]

Query for the RDFS.comment of the subject

Return default if no comment exists

commit()[source]

Commits active transactions

compute_qname(uri, generate=True)[source]
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.

de_skolemize(new_graph=None, uriref=None)[source]
destroy(configuration)[source]

Destroy the store identified by configuration if supported

property identifier
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

items(list)[source]

Generator over all items in the resource specified by list

list is an RDF collection.

label(subject, default='')[source]

Query for the RDFS.label of the subject

Return default if no label exists or any label if multiple exist.

load(source, publicID=None, format='xml')[source]
n3()[source]

Return an n3 identifier for the Graph

property namespace_manager

this graph’s namespace-manager

namespaces()[source]

Generator over all the prefix, namespace tuples

objects(subject=None, predicate=None) Iterable[rdflib.term.Node][source]

A generator of objects with the given subject and predicate

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.

parse(source=None, publicID=None, format: Optional[str] = None, location=None, file=None, data: Optional[Union[str, bytes, bytearray]] = 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.

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 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
predicate_objects(subject=None)[source]

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

predicates(subject=None, object=None) Iterable[rdflib.term.Node][source]

A generator of predicates with the given subject and object

preferredLabel(subject, lang=None, default=None, labelProperties=(rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel'), rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#label')))[source]

Find the preferred label for subject.

By default prefers skos:prefLabels over rdfs:labels. In case at least one prefLabel is found returns those, else returns labels. In case a language string (e.g., “en”, “de” or even “” for no lang-tagged literals) is given, only such labels will be considered.

Return a list of (labelProp, label) pairs, where labelProp is either skos:prefLabel or rdfs:label.

>>> from rdflib import ConjunctiveGraph, URIRef, Literal, namespace
>>> from pprint import pprint
>>> g = ConjunctiveGraph()
>>> u = URIRef("http://example.com/foo")
>>> g.add([u, namespace.RDFS.label, Literal("foo")]) 
<Graph identifier=... (<class 'rdflib.graph.ConjunctiveGraph'>)>
>>> g.add([u, namespace.RDFS.label, Literal("bar")]) 
<Graph identifier=... (<class 'rdflib.graph.ConjunctiveGraph'>)>
>>> pprint(sorted(g.preferredLabel(u)))
[(rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#label'),
  rdflib.term.Literal('bar')),
 (rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#label'),
  rdflib.term.Literal('foo'))]
>>> g.add([u, namespace.SKOS.prefLabel, Literal("bla")]) 
<Graph identifier=... (<class 'rdflib.graph.ConjunctiveGraph'>)>
>>> pprint(g.preferredLabel(u))
[(rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel'),
  rdflib.term.Literal('bla'))]
>>> g.add([u, namespace.SKOS.prefLabel, Literal("blubb", lang="en")]) 
<Graph identifier=... (<class 'rdflib.graph.ConjunctiveGraph'>)>
>>> sorted(g.preferredLabel(u)) 
[(rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel'),
  rdflib.term.Literal('bla')),
  (rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel'),
  rdflib.term.Literal('blubb', lang='en'))]
>>> g.preferredLabel(u, lang="") 
[(rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel'),
  rdflib.term.Literal('bla'))]
>>> pprint(g.preferredLabel(u, lang="en"))
[(rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel'),
  rdflib.term.Literal('blubb', lang='en'))]
print(format='turtle', encoding='utf-8', out=None)[source]
qname(uri)[source]
query(query_object, processor: Union[str, rdflib.query.Processor] = 'sparql', result: Union[str, Type[rdflib.query.Result]] = 'sparql', initNs=None, initBindings=None, use_store_provided: bool = True, **kwargs) rdflib.query.Result[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.

Returntype

rdflib.query.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.

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
rollback()[source]

Rollback active transactions

seq(subject)[source]

Check if subject is an rdf:Seq

If yes, it returns a Seq class instance, None otherwise.

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

Serialize the Graph to destination

If destination is None serialize method returns the serialization as bytes or string.

If encoding is None and destination is None, returns a string If encoding is set, and Destination is None, returns bytes

Format defaults to turtle.

Format support can be extended with plugins, but “xml”, “n3”, “turtle”, “nt”, “pretty-xml”, “trix”, “trig” and “nquads” are built in.

set(triple)[source]

Convenience method to update the value of object

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

skolemize(new_graph=None, bnode=None, authority=None, basepath=None)[source]
property store
subject_objects(predicate=None)[source]

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

subject_predicates(object=None)[source]

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

subjects(predicate=None, object=None) Iterable[rdflib.term.Node][source]

A generator of subjects with the given predicate and object

toPython()[source]
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')]
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.

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.

triples(triple: Tuple[Optional[rdflib.term.Node], Union[None, rdflib.paths.Path, rdflib.term.Node], Optional[rdflib.term.Node]])[source]

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.

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

Update this graph with the given update query.

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

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

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

Bases: rdflib.term.Identifier

RDF Literal: http://www.w3.org/TR/rdf-concepts/#section-Graph-Literal

The lexical value of the literal is the unicode object. The interpreted, datatyped value is available from .value

Language tags must be valid according to :rfc:5646

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')
__add__(val)[source]
>>> 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')
__annotations__ = {'_value': typing.Any}
__bool__()[source]

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

__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
__ge__(other)[source]

Return self>=value.

__getstate__()[source]
__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

__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)

__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')
__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
__lt__(other)[source]

Return self<value.

__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')
>>>
static __new__(cls, lexical_or_value: Any, lang: Optional[str] = None, datatype: Optional[str] = None, normalize: Optional[bool] = None)[source]
__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')
__reduce__()[source]

Helper for pickle.

__repr__()[source]

Return repr(self).

__setstate__(arg)[source]
__slots__ = ('_language', '_datatype', '_value')
property datatype
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

property language: 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'
neq(other)[source]

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

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’))

toPython()[source]

Returns an appropriate python datatype derived from this RDF Literal

property value
class rdflib.Namespace(value)[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
__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]
__getitem__(key)[source]

Return self[key].

__module__ = 'rdflib.namespace'
static __new__(cls, value)[source]
__repr__()[source]

Return repr(self).

__weakref__

list of weak references to the object (if defined)

term(name)[source]
property title

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.

class rdflib.ODRL2[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Action')
Agreement: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Agreement')
All: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/All')
All2ndConnections: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/All2ndConnections')
AllConnections: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/AllConnections')
AllGroups: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/AllGroups')
Assertion: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Assertion')
Asset: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Asset')
AssetCollection: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/AssetCollection')
AssetScope: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/AssetScope')
ConflictTerm: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/ConflictTerm')
Constraint: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Constraint')
Duty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Duty')
Group: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Group')
Individual: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Individual')
LeftOperand: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/LeftOperand')
LogicalConstraint: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/LogicalConstraint')
Offer: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Offer')
Operator: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Operator')
Party: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Party')
PartyCollection: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/PartyCollection')
PartyScope: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/PartyScope')
Permission: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Permission')
Policy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Policy')
Privacy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Privacy')
Prohibition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Prohibition')
Request: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Request')
RightOperand: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/RightOperand')
Rule: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Rule')
Set: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Set')
Ticket: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/Ticket')
UndefinedTerm: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/UndefinedTerm')
__annotations__ = {'Action': <class 'rdflib.term.URIRef'>, 'Agreement': <class 'rdflib.term.URIRef'>, 'All': <class 'rdflib.term.URIRef'>, 'All2ndConnections': <class 'rdflib.term.URIRef'>, 'AllConnections': <class 'rdflib.term.URIRef'>, 'AllGroups': <class 'rdflib.term.URIRef'>, 'Assertion': <class 'rdflib.term.URIRef'>, 'Asset': <class 'rdflib.term.URIRef'>, 'AssetCollection': <class 'rdflib.term.URIRef'>, 'AssetScope': <class 'rdflib.term.URIRef'>, 'ConflictTerm': <class 'rdflib.term.URIRef'>, 'Constraint': <class 'rdflib.term.URIRef'>, 'Duty': <class 'rdflib.term.URIRef'>, 'Group': <class 'rdflib.term.URIRef'>, 'Individual': <class 'rdflib.term.URIRef'>, 'LeftOperand': <class 'rdflib.term.URIRef'>, 'LogicalConstraint': <class 'rdflib.term.URIRef'>, 'Offer': <class 'rdflib.term.URIRef'>, 'Operator': <class 'rdflib.term.URIRef'>, 'Party': <class 'rdflib.term.URIRef'>, 'PartyCollection': <class 'rdflib.term.URIRef'>, 'PartyScope': <class 'rdflib.term.URIRef'>, 'Permission': <class 'rdflib.term.URIRef'>, 'Policy': <class 'rdflib.term.URIRef'>, 'Privacy': <class 'rdflib.term.URIRef'>, 'Prohibition': <class 'rdflib.term.URIRef'>, 'Request': <class 'rdflib.term.URIRef'>, 'RightOperand': <class 'rdflib.term.URIRef'>, 'Rule': <class 'rdflib.term.URIRef'>, 'Set': <class 'rdflib.term.URIRef'>, 'Ticket': <class 'rdflib.term.URIRef'>, 'UndefinedTerm': <class 'rdflib.term.URIRef'>, 'absolutePosition': <class 'rdflib.term.URIRef'>, 'absoluteSize': <class 'rdflib.term.URIRef'>, 'absoluteSpatialPosition': <class 'rdflib.term.URIRef'>, 'absoluteTemporalPosition': <class 'rdflib.term.URIRef'>, 'acceptTracking': <class 'rdflib.term.URIRef'>, 'action': <class 'rdflib.term.URIRef'>, 'adHocShare': <class 'rdflib.term.URIRef'>, 'aggregate': <class 'rdflib.term.URIRef'>, 'andSequence': <class 'rdflib.term.URIRef'>, 'annotate': <class 'rdflib.term.URIRef'>, 'anonymize': <class 'rdflib.term.URIRef'>, 'append': <class 'rdflib.term.URIRef'>, 'appendTo': <class 'rdflib.term.URIRef'>, 'archive': <class 'rdflib.term.URIRef'>, 'assignee': <class 'rdflib.term.URIRef'>, 'assigneeOf': <class 'rdflib.term.URIRef'>, 'assigner': <class 'rdflib.term.URIRef'>, 'assignerOf': <class 'rdflib.term.URIRef'>, 'attachPolicy': <class 'rdflib.term.URIRef'>, 'attachSource': <class 'rdflib.term.URIRef'>, 'attribute': <class 'rdflib.term.URIRef'>, 'attributedParty': <class 'rdflib.term.URIRef'>, 'attributingParty': <class 'rdflib.term.URIRef'>, 'commercialize': <class 'rdflib.term.URIRef'>, 'compensate': <class 'rdflib.term.URIRef'>, 'compensatedParty': <class 'rdflib.term.URIRef'>, 'compensatingParty': <class 'rdflib.term.URIRef'>, 'concurrentUse': <class 'rdflib.term.URIRef'>, 'conflict': <class 'rdflib.term.URIRef'>, 'consentedParty': <class 'rdflib.term.URIRef'>, 'consentingParty': <class 'rdflib.term.URIRef'>, 'consequence': <class 'rdflib.term.URIRef'>, 'constraint': <class 'rdflib.term.URIRef'>, 'contractedParty': <class 'rdflib.term.URIRef'>, 'contractingParty': <class 'rdflib.term.URIRef'>, 'copy': <class 'rdflib.term.URIRef'>, 'core': <class 'rdflib.term.URIRef'>, 'count': <class 'rdflib.term.URIRef'>, 'dataType': <class 'rdflib.term.URIRef'>, 'dateTime': <class 'rdflib.term.URIRef'>, 'delayPeriod': <class 'rdflib.term.URIRef'>, 'delete': <class 'rdflib.term.URIRef'>, 'deliveryChannel': <class 'rdflib.term.URIRef'>, 'derive': <class 'rdflib.term.URIRef'>, 'device': <class 'rdflib.term.URIRef'>, 'digitize': <class 'rdflib.term.URIRef'>, 'display': <class 'rdflib.term.URIRef'>, 'distribute': <class 'rdflib.term.URIRef'>, 'duty': <class 'rdflib.term.URIRef'>, 'elapsedTime': <class 'rdflib.term.URIRef'>, 'ensureExclusivity': <class 'rdflib.term.URIRef'>, 'eq': <class 'rdflib.term.URIRef'>, 'event': <class 'rdflib.term.URIRef'>, 'execute': <class 'rdflib.term.URIRef'>, 'export': <class 'rdflib.term.URIRef'>, 'extract': <class 'rdflib.term.URIRef'>, 'extractChar': <class 'rdflib.term.URIRef'>, 'extractPage': <class 'rdflib.term.URIRef'>, 'extractWord': <class 'rdflib.term.URIRef'>, 'failure': <class 'rdflib.term.URIRef'>, 'fileFormat': <class 'rdflib.term.URIRef'>, 'function': <class 'rdflib.term.URIRef'>, 'give': <class 'rdflib.term.URIRef'>, 'grantUse': <class 'rdflib.term.URIRef'>, 'gt': <class 'rdflib.term.URIRef'>, 'gteq': <class 'rdflib.term.URIRef'>, 'hasPart': <class 'rdflib.term.URIRef'>, 'hasPolicy': <class 'rdflib.term.URIRef'>, 'ignore': <class 'rdflib.term.URIRef'>, 'implies': <class 'rdflib.term.URIRef'>, 'include': <class 'rdflib.term.URIRef'>, 'includedIn': <class 'rdflib.term.URIRef'>, 'index': <class 'rdflib.term.URIRef'>, 'industry': <class 'rdflib.term.URIRef'>, 'inform': <class 'rdflib.term.URIRef'>, 'informedParty': <class 'rdflib.term.URIRef'>, 'informingParty': <class 'rdflib.term.URIRef'>, 'inheritAllowed': <class 'rdflib.term.URIRef'>, 'inheritFrom': <class 'rdflib.term.URIRef'>, 'inheritRelation': <class 'rdflib.term.URIRef'>, 'install': <class 'rdflib.term.URIRef'>, 'invalid': <class 'rdflib.term.URIRef'>, 'isA': <class 'rdflib.term.URIRef'>, 'isAllOf': <class 'rdflib.term.URIRef'>, 'isAnyOf': <class 'rdflib.term.URIRef'>, 'isNoneOf': <class 'rdflib.term.URIRef'>, 'isPartOf': <class 'rdflib.term.URIRef'>, 'language': <class 'rdflib.term.URIRef'>, 'lease': <class 'rdflib.term.URIRef'>, 'leftOperand': <class 'rdflib.term.URIRef'>, 'lend': <class 'rdflib.term.URIRef'>, 'license': <class 'rdflib.term.URIRef'>, 'lt': <class 'rdflib.term.URIRef'>, 'lteq': <class 'rdflib.term.URIRef'>, 'media': <class 'rdflib.term.URIRef'>, 'meteredTime': <class 'rdflib.term.URIRef'>, 'modify': <class 'rdflib.term.URIRef'>, 'move': <class 'rdflib.term.URIRef'>, 'neq': <class 'rdflib.term.URIRef'>, 'nextPolicy': <class 'rdflib.term.URIRef'>, 'obligation': <class 'rdflib.term.URIRef'>, 'obtainConsent': <class 'rdflib.term.URIRef'>, 'operand': <class 'rdflib.term.URIRef'>, 'operator': <class 'rdflib.term.URIRef'>, 'output': <class 'rdflib.term.URIRef'>, 'partOf': <class 'rdflib.term.URIRef'>, 'pay': <class 'rdflib.term.URIRef'>, 'payAmount': <class 'rdflib.term.URIRef'>, 'payeeParty': <class 'rdflib.term.URIRef'>, 'percentage': <class 'rdflib.term.URIRef'>, 'perm': <class 'rdflib.term.URIRef'>, 'permission': <class 'rdflib.term.URIRef'>, 'play': <class 'rdflib.term.URIRef'>, 'policyUsage': <class 'rdflib.term.URIRef'>, 'present': <class 'rdflib.term.URIRef'>, 'preview': <class 'rdflib.term.URIRef'>, 'print': <class 'rdflib.term.URIRef'>, 'product': <class 'rdflib.term.URIRef'>, 'profile': <class 'rdflib.term.URIRef'>, 'prohibit': <class 'rdflib.term.URIRef'>, 'prohibition': <class 'rdflib.term.URIRef'>, 'proximity': <class 'rdflib.term.URIRef'>, 'purpose': <class 'rdflib.term.URIRef'>, 'read': <class 'rdflib.term.URIRef'>, 'recipient': <class 'rdflib.term.URIRef'>, 'refinement': <class 'rdflib.term.URIRef'>, 'relation': <class 'rdflib.term.URIRef'>, 'relativePosition': <class 'rdflib.term.URIRef'>, 'relativeSize': <class 'rdflib.term.URIRef'>, 'relativeSpatialPosition': <class 'rdflib.term.URIRef'>, 'relativeTemporalPosition': <class 'rdflib.term.URIRef'>, 'remedy': <class 'rdflib.term.URIRef'>, 'reproduce': <class 'rdflib.term.URIRef'>, 'resolution': <class 'rdflib.term.URIRef'>, 'reviewPolicy': <class 'rdflib.term.URIRef'>, 'rightOperand': <class 'rdflib.term.URIRef'>, 'rightOperandReference': <class 'rdflib.term.URIRef'>, 'scope': <class 'rdflib.term.URIRef'>, 'secondaryUse': <class 'rdflib.term.URIRef'>, 'sell': <class 'rdflib.term.URIRef'>, 'share': <class 'rdflib.term.URIRef'>, 'shareAlike': <class 'rdflib.term.URIRef'>, 'source': <class 'rdflib.term.URIRef'>, 'spatial': <class 'rdflib.term.URIRef'>, 'spatialCoordinates': <class 'rdflib.term.URIRef'>, 'status': <class 'rdflib.term.URIRef'>, 'stream': <class 'rdflib.term.URIRef'>, 'support': <class 'rdflib.term.URIRef'>, 'synchronize': <class 'rdflib.term.URIRef'>, 'system': <class 'rdflib.term.URIRef'>, 'systemDevice': <class 'rdflib.term.URIRef'>, 'target': <class 'rdflib.term.URIRef'>, 'textToSpeech': <class 'rdflib.term.URIRef'>, 'timeInterval': <class 'rdflib.term.URIRef'>, 'timedCount': <class 'rdflib.term.URIRef'>, 'trackedParty': <class 'rdflib.term.URIRef'>, 'trackingParty': <class 'rdflib.term.URIRef'>, 'transfer': <class 'rdflib.term.URIRef'>, 'transform': <class 'rdflib.term.URIRef'>, 'translate': <class 'rdflib.term.URIRef'>, 'uid': <class 'rdflib.term.URIRef'>, 'undefined': <class 'rdflib.term.URIRef'>, 'uninstall': <class 'rdflib.term.URIRef'>, 'unit': <class 'rdflib.term.URIRef'>, 'unitOfCount': <class 'rdflib.term.URIRef'>, 'use': <class 'rdflib.term.URIRef'>, 'version': <class 'rdflib.term.URIRef'>, 'virtualLocation': <class 'rdflib.term.URIRef'>, 'watermark': <class 'rdflib.term.URIRef'>, 'write': <class 'rdflib.term.URIRef'>, 'writeTo': <class 'rdflib.term.URIRef'>, 'xone': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._ODRL2'
absolutePosition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/absolutePosition')
absoluteSize: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/absoluteSize')
absoluteSpatialPosition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/absoluteSpatialPosition')
absoluteTemporalPosition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/absoluteTemporalPosition')
acceptTracking: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/acceptTracking')
action: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/action')
adHocShare: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/adHocShare')
aggregate: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/aggregate')
andSequence: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/andSequence')
annotate: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/annotate')
anonymize: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/anonymize')
append: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/append')
appendTo: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/appendTo')
archive: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/archive')
assignee: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/assignee')
assigneeOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/assigneeOf')
assigner: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/assigner')
assignerOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/assignerOf')
attachPolicy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/attachPolicy')
attachSource: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/attachSource')
attribute: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/attribute')
attributedParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/attributedParty')
attributingParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/attributingParty')
commercialize: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/commercialize')
compensate: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/compensate')
compensatedParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/compensatedParty')
compensatingParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/compensatingParty')
concurrentUse: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/concurrentUse')
conflict: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/conflict')
consentedParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/consentedParty')
consentingParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/consentingParty')
consequence: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/consequence')
constraint: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/constraint')
contractedParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/contractedParty')
contractingParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/contractingParty')
copy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/copy')
core: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/core')
count: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/count')
dataType: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/dataType')
dateTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/dateTime')
delayPeriod: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/delayPeriod')
delete: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/delete')
deliveryChannel: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/deliveryChannel')
derive: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/derive')
device: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/device')
digitize: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/digitize')
display: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/display')
distribute: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/distribute')
duty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/duty')
elapsedTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/elapsedTime')
ensureExclusivity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/ensureExclusivity')
eq: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/eq')
event: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/event')
execute: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/execute')
export: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/export')
extract: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/extract')
extractChar: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/extractChar')
extractPage: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/extractPage')
extractWord: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/extractWord')
failure: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/failure')
fileFormat: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/fileFormat')
function: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/function')
give: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/give')
grantUse: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/grantUse')
gt: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/gt')
gteq: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/gteq')
hasPart: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/hasPart')
hasPolicy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/hasPolicy')
ignore: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/ignore')
implies: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/implies')
include: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/include')
includedIn: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/includedIn')
index: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/index')
industry: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/industry')
inform: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/inform')
informedParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/informedParty')
informingParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/informingParty')
inheritAllowed: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/inheritAllowed')
inheritFrom: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/inheritFrom')
inheritRelation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/inheritRelation')
install: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/install')
invalid: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/invalid')
isA: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/isA')
isAllOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/isAllOf')
isAnyOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/isAnyOf')
isNoneOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/isNoneOf')
isPartOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/isPartOf')
language: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/language')
lease: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/lease')
leftOperand: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/leftOperand')
lend: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/lend')
license: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/license')
lt: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/lt')
lteq: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/lteq')
media: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/media')
meteredTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/meteredTime')
modify: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/modify')
move: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/move')
neq: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/neq')
nextPolicy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/nextPolicy')
obligation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/obligation')
obtainConsent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/obtainConsent')
operand: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/operand')
operator: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/operator')
output: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/output')
partOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/partOf')
pay: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/pay')
payAmount: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/payAmount')
payeeParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/payeeParty')
percentage: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/percentage')
perm: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/perm')
permission: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/permission')
play: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/play')
policyUsage: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/policyUsage')
present: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/present')
preview: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/preview')
print: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/print')
product: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/product')
profile: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/profile')
prohibit: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/prohibit')
prohibition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/prohibition')
proximity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/proximity')
purpose: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/purpose')
read: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/read')
recipient: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/recipient')
refinement: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/refinement')
relation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/relation')
relativePosition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/relativePosition')
relativeSize: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/relativeSize')
relativeSpatialPosition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/relativeSpatialPosition')
relativeTemporalPosition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/relativeTemporalPosition')
remedy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/remedy')
reproduce: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/reproduce')
resolution: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/resolution')
reviewPolicy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/reviewPolicy')
rightOperand: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/rightOperand')
rightOperandReference: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/rightOperandReference')
scope: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/scope')
secondaryUse: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/secondaryUse')
sell: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/sell')
share: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/share')
shareAlike: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/shareAlike')
source: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/source')
spatial: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/spatial')
spatialCoordinates: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/spatialCoordinates')
status: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/status')
stream: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/stream')
support: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/support')
synchronize: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/synchronize')
system: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/system')
systemDevice: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/systemDevice')
target: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/target')
textToSpeech: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/textToSpeech')
timeInterval: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/timeInterval')
timedCount: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/timedCount')
trackedParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/trackedParty')
trackingParty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/trackingParty')
transfer: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/transfer')
transform: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/transform')
translate: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/translate')
uid: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/uid')
undefined: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/undefined')
uninstall: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/uninstall')
unit: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/unit')
unitOfCount: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/unitOfCount')
use: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/use')
version: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/version')
virtualLocation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/virtualLocation')
watermark: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/watermark')
write: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/write')
writeTo: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/writeTo')
xone: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/odrl/2/xone')
class rdflib.ORG[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#ChangeEvent')
FormalOrganization: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#FormalOrganization')
Head: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#Head')
Membership: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#Membership')
Organization: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#Organization')
OrganizationalCollaboration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#OrganizationalCollaboration')
OrganizationalUnit: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#OrganizationalUnit')
Post: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#Post')
Role: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#Role')
Site: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#Site')
__annotations__ = {'ChangeEvent': <class 'rdflib.term.URIRef'>, 'FormalOrganization': <class 'rdflib.term.URIRef'>, 'Head': <class 'rdflib.term.URIRef'>, 'Membership': <class 'rdflib.term.URIRef'>, 'Organization': <class 'rdflib.term.URIRef'>, 'OrganizationalCollaboration': <class 'rdflib.term.URIRef'>, 'OrganizationalUnit': <class 'rdflib.term.URIRef'>, 'Post': <class 'rdflib.term.URIRef'>, 'Role': <class 'rdflib.term.URIRef'>, 'Site': <class 'rdflib.term.URIRef'>, 'basedAt': <class 'rdflib.term.URIRef'>, 'changedBy': <class 'rdflib.term.URIRef'>, 'classification': <class 'rdflib.term.URIRef'>, 'hasMember': <class 'rdflib.term.URIRef'>, 'hasMembership': <class 'rdflib.term.URIRef'>, 'hasPost': <class 'rdflib.term.URIRef'>, 'hasPrimarySite': <class 'rdflib.term.URIRef'>, 'hasRegisteredSite': <class 'rdflib.term.URIRef'>, 'hasSite': <class 'rdflib.term.URIRef'>, 'hasSubOrganization': <class 'rdflib.term.URIRef'>, 'hasUnit': <class 'rdflib.term.URIRef'>, 'headOf': <class 'rdflib.term.URIRef'>, 'heldBy': <class 'rdflib.term.URIRef'>, 'holds': <class 'rdflib.term.URIRef'>, 'identifier': <class 'rdflib.term.URIRef'>, 'linkedTo': <class 'rdflib.term.URIRef'>, 'location': <class 'rdflib.term.URIRef'>, 'member': <class 'rdflib.term.URIRef'>, 'memberDuring': <class 'rdflib.term.URIRef'>, 'memberOf': <class 'rdflib.term.URIRef'>, 'organization': <class 'rdflib.term.URIRef'>, 'originalOrganization': <class 'rdflib.term.URIRef'>, 'postIn': <class 'rdflib.term.URIRef'>, 'purpose': <class 'rdflib.term.URIRef'>, 'remuneration': <class 'rdflib.term.URIRef'>, 'reportsTo': <class 'rdflib.term.URIRef'>, 'resultedFrom': <class 'rdflib.term.URIRef'>, 'resultingOrganization': <class 'rdflib.term.URIRef'>, 'role': <class 'rdflib.term.URIRef'>, 'roleProperty': <class 'rdflib.term.URIRef'>, 'siteAddress': <class 'rdflib.term.URIRef'>, 'siteOf': <class 'rdflib.term.URIRef'>, 'subOrganizationOf': <class 'rdflib.term.URIRef'>, 'transitiveSubOrganizationOf': <class 'rdflib.term.URIRef'>, 'unitOf': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._ORG'
basedAt: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#basedAt')
changedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#changedBy')
classification: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#classification')
hasMember: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasMember')
hasMembership: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasMembership')
hasPost: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasPost')
hasPrimarySite: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasPrimarySite')
hasRegisteredSite: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasRegisteredSite')
hasSite: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasSite')
hasSubOrganization: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasSubOrganization')
hasUnit: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#hasUnit')
headOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#headOf')
heldBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#heldBy')
holds: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#holds')
identifier: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#identifier')
linkedTo: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#linkedTo')
location: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#location')
member: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#member')
memberDuring: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#memberDuring')
memberOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#memberOf')
organization: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#organization')
originalOrganization: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#originalOrganization')
postIn: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#postIn')
purpose: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#purpose')
remuneration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#remuneration')
reportsTo: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#reportsTo')
resultedFrom: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#resultedFrom')
resultingOrganization: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#resultingOrganization')
role: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#role')
roleProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#roleProperty')
siteAddress: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#siteAddress')
siteOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#siteOf')
subOrganizationOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#subOrganizationOf')
transitiveSubOrganizationOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#transitiveSubOrganizationOf')
unitOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/org#unitOf')
class rdflib.OWL[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#AllDifferent')
AllDisjointClasses: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#AllDisjointClasses')
AllDisjointProperties: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#AllDisjointProperties')
Annotation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Annotation')
AnnotationProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#AnnotationProperty')
AsymmetricProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#AsymmetricProperty')
Axiom: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Axiom')
Class: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Class')
DataRange: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#DataRange')
DatatypeProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#DatatypeProperty')
DeprecatedClass: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#DeprecatedClass')
DeprecatedProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#DeprecatedProperty')
FunctionalProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#FunctionalProperty')
InverseFunctionalProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#InverseFunctionalProperty')
IrreflexiveProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#IrreflexiveProperty')
NamedIndividual: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#NamedIndividual')
NegativePropertyAssertion: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#NegativePropertyAssertion')
Nothing: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Nothing')
ObjectProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#ObjectProperty')
Ontology: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Ontology')
OntologyProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#OntologyProperty')
ReflexiveProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#ReflexiveProperty')
Restriction: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Restriction')
SymmetricProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#SymmetricProperty')
Thing: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#Thing')
TransitiveProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#TransitiveProperty')
__annotations__ = {'AllDifferent': <class 'rdflib.term.URIRef'>, 'AllDisjointClasses': <class 'rdflib.term.URIRef'>, 'AllDisjointProperties': <class 'rdflib.term.URIRef'>, 'Annotation': <class 'rdflib.term.URIRef'>, 'AnnotationProperty': <class 'rdflib.term.URIRef'>, 'AsymmetricProperty': <class 'rdflib.term.URIRef'>, 'Axiom': <class 'rdflib.term.URIRef'>, 'Class': <class 'rdflib.term.URIRef'>, 'DataRange': <class 'rdflib.term.URIRef'>, 'DatatypeProperty': <class 'rdflib.term.URIRef'>, 'DeprecatedClass': <class 'rdflib.term.URIRef'>, 'DeprecatedProperty': <class 'rdflib.term.URIRef'>, 'FunctionalProperty': <class 'rdflib.term.URIRef'>, 'InverseFunctionalProperty': <class 'rdflib.term.URIRef'>, 'IrreflexiveProperty': <class 'rdflib.term.URIRef'>, 'NamedIndividual': <class 'rdflib.term.URIRef'>, 'NegativePropertyAssertion': <class 'rdflib.term.URIRef'>, 'Nothing': <class 'rdflib.term.URIRef'>, 'ObjectProperty': <class 'rdflib.term.URIRef'>, 'Ontology': <class 'rdflib.term.URIRef'>, 'OntologyProperty': <class 'rdflib.term.URIRef'>, 'ReflexiveProperty': <class 'rdflib.term.URIRef'>, 'Restriction': <class 'rdflib.term.URIRef'>, 'SymmetricProperty': <class 'rdflib.term.URIRef'>, 'Thing': <class 'rdflib.term.URIRef'>, 'TransitiveProperty': <class 'rdflib.term.URIRef'>, 'allValuesFrom': <class 'rdflib.term.URIRef'>, 'annotatedProperty': <class 'rdflib.term.URIRef'>, 'annotatedSource': <class 'rdflib.term.URIRef'>, 'annotatedTarget': <class 'rdflib.term.URIRef'>, 'assertionProperty': <class 'rdflib.term.URIRef'>, 'backwardCompatibleWith': <class 'rdflib.term.URIRef'>, 'bottomDataProperty': <class 'rdflib.term.URIRef'>, 'bottomObjectProperty': <class 'rdflib.term.URIRef'>, 'cardinality': <class 'rdflib.term.URIRef'>, 'complementOf': <class 'rdflib.term.URIRef'>, 'datatypeComplementOf': <class 'rdflib.term.URIRef'>, 'deprecated': <class 'rdflib.term.URIRef'>, 'differentFrom': <class 'rdflib.term.URIRef'>, 'disjointUnionOf': <class 'rdflib.term.URIRef'>, 'disjointWith': <class 'rdflib.term.URIRef'>, 'distinctMembers': <class 'rdflib.term.URIRef'>, 'equivalentClass': <class 'rdflib.term.URIRef'>, 'equivalentProperty': <class 'rdflib.term.URIRef'>, 'hasKey': <class 'rdflib.term.URIRef'>, 'hasSelf': <class 'rdflib.term.URIRef'>, 'hasValue': <class 'rdflib.term.URIRef'>, 'imports': <class 'rdflib.term.URIRef'>, 'incompatibleWith': <class 'rdflib.term.URIRef'>, 'intersectionOf': <class 'rdflib.term.URIRef'>, 'inverseOf': <class 'rdflib.term.URIRef'>, 'maxCardinality': <class 'rdflib.term.URIRef'>, 'maxQualifiedCardinality': <class 'rdflib.term.URIRef'>, 'members': <class 'rdflib.term.URIRef'>, 'minCardinality': <class 'rdflib.term.URIRef'>, 'minQualifiedCardinality': <class 'rdflib.term.URIRef'>, 'onClass': <class 'rdflib.term.URIRef'>, 'onDataRange': <class 'rdflib.term.URIRef'>, 'onDatatype': <class 'rdflib.term.URIRef'>, 'onProperties': <class 'rdflib.term.URIRef'>, 'onProperty': <class 'rdflib.term.URIRef'>, 'oneOf': <class 'rdflib.term.URIRef'>, 'priorVersion': <class 'rdflib.term.URIRef'>, 'propertyChainAxiom': <class 'rdflib.term.URIRef'>, 'propertyDisjointWith': <class 'rdflib.term.URIRef'>, 'qualifiedCardinality': <class 'rdflib.term.URIRef'>, 'rational': <class 'rdflib.term.URIRef'>, 'real': <class 'rdflib.term.URIRef'>, 'sameAs': <class 'rdflib.term.URIRef'>, 'someValuesFrom': <class 'rdflib.term.URIRef'>, 'sourceIndividual': <class 'rdflib.term.URIRef'>, 'targetIndividual': <class 'rdflib.term.URIRef'>, 'targetValue': <class 'rdflib.term.URIRef'>, 'topDataProperty': <class 'rdflib.term.URIRef'>, 'topObjectProperty': <class 'rdflib.term.URIRef'>, 'unionOf': <class 'rdflib.term.URIRef'>, 'versionIRI': <class 'rdflib.term.URIRef'>, 'versionInfo': <class 'rdflib.term.URIRef'>, 'withRestrictions': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._OWL'
allValuesFrom: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#allValuesFrom')
annotatedProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#annotatedProperty')
annotatedSource: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#annotatedSource')
annotatedTarget: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#annotatedTarget')
assertionProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#assertionProperty')
backwardCompatibleWith: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#backwardCompatibleWith')
bottomDataProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#bottomDataProperty')
bottomObjectProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#bottomObjectProperty')
cardinality: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#cardinality')
complementOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#complementOf')
datatypeComplementOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#datatypeComplementOf')
deprecated: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#deprecated')
differentFrom: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#differentFrom')
disjointUnionOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#disjointUnionOf')
disjointWith: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#disjointWith')
distinctMembers: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#distinctMembers')
equivalentClass: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#equivalentClass')
equivalentProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#equivalentProperty')
hasKey: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#hasKey')
hasSelf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#hasSelf')
hasValue: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#hasValue')
imports: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#imports')
incompatibleWith: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#incompatibleWith')
intersectionOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#intersectionOf')
inverseOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#inverseOf')
maxCardinality: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#maxCardinality')
maxQualifiedCardinality: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#maxQualifiedCardinality')
members: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#members')
minCardinality: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#minCardinality')
minQualifiedCardinality: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#minQualifiedCardinality')
onClass: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#onClass')
onDataRange: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#onDataRange')
onDatatype: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#onDatatype')
onProperties: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#onProperties')
onProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#onProperty')
oneOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#oneOf')
priorVersion: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#priorVersion')
propertyChainAxiom: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#propertyChainAxiom')
propertyDisjointWith: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#propertyDisjointWith')
qualifiedCardinality: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#qualifiedCardinality')
rational: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#rational')
real: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#real')
sameAs: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#sameAs')
someValuesFrom: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#someValuesFrom')
sourceIndividual: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#sourceIndividual')
targetIndividual: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#targetIndividual')
targetValue: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#targetValue')
topDataProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#topDataProperty')
topObjectProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#topObjectProperty')
unionOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#unionOf')
versionIRI: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#versionIRI')
versionInfo: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#versionInfo')
withRestrictions: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2002/07/owl#withRestrictions')
class rdflib.PROF[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/Profile')
ResourceDescriptor: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/ResourceDescriptor')
ResourceRole: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/ResourceRole')
__annotations__ = {'Profile': <class 'rdflib.term.URIRef'>, 'ResourceDescriptor': <class 'rdflib.term.URIRef'>, 'ResourceRole': <class 'rdflib.term.URIRef'>, 'hasArtifact': <class 'rdflib.term.URIRef'>, 'hasResource': <class 'rdflib.term.URIRef'>, 'hasRole': <class 'rdflib.term.URIRef'>, 'hasToken': <class 'rdflib.term.URIRef'>, 'isInheritedFrom': <class 'rdflib.term.URIRef'>, 'isProfileOf': <class 'rdflib.term.URIRef'>, 'isTransitiveProfileOf': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._PROF'
hasArtifact: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/hasArtifact')
hasResource: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/hasResource')
hasRole: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/hasRole')
hasToken: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/hasToken')
isInheritedFrom: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/isInheritedFrom')
isProfileOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/isProfileOf')
isTransitiveProfileOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/dx/prof/isTransitiveProfileOf')
class rdflib.PROV[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Accept')
Activity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Activity')
ActivityInfluence: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#ActivityInfluence')
Agent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Agent')
AgentInfluence: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#AgentInfluence')
Association: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Association')
Attribution: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Attribution')
Bundle: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Bundle')
Collection: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Collection')
Communication: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Communication')
Contribute: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Contribute')
Contributor: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Contributor')
Copyright: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Copyright')
Create: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Create')
Creator: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Creator')
Delegation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Delegation')
Derivation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Derivation')
Dictionary: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Dictionary')
DirectQueryService: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#DirectQueryService')
EmptyCollection: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#EmptyCollection')
EmptyDictionary: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#EmptyDictionary')
End: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#End')
Entity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Entity')
EntityInfluence: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#EntityInfluence')
Generation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Generation')
Influence: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Influence')
Insertion: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Insertion')
InstantaneousEvent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#InstantaneousEvent')
Invalidation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Invalidation')
KeyEntityPair: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#KeyEntityPair')
Location: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Location')
Modify: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Modify')
Organization: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Organization')
Person: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Person')
Plan: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Plan')
PrimarySource: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#PrimarySource')
Publish: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Publish')
Publisher: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Publisher')
Quotation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Quotation')
Removal: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Removal')
Replace: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Replace')
Revision: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Revision')
RightsAssignment: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#RightsAssignment')
RightsHolder: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#RightsHolder')
Role: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Role')
ServiceDescription: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#ServiceDescription')
SoftwareAgent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#SoftwareAgent')
Start: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Start')
Submit: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Submit')
Usage: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#Usage')
__annotations__ = {'Accept': <class 'rdflib.term.URIRef'>, 'Activity': <class 'rdflib.term.URIRef'>, 'ActivityInfluence': <class 'rdflib.term.URIRef'>, 'Agent': <class 'rdflib.term.URIRef'>, 'AgentInfluence': <class 'rdflib.term.URIRef'>, 'Association': <class 'rdflib.term.URIRef'>, 'Attribution': <class 'rdflib.term.URIRef'>, 'Bundle': <class 'rdflib.term.URIRef'>, 'Collection': <class 'rdflib.term.URIRef'>, 'Communication': <class 'rdflib.term.URIRef'>, 'Contribute': <class 'rdflib.term.URIRef'>, 'Contributor': <class 'rdflib.term.URIRef'>, 'Copyright': <class 'rdflib.term.URIRef'>, 'Create': <class 'rdflib.term.URIRef'>, 'Creator': <class 'rdflib.term.URIRef'>, 'Delegation': <class 'rdflib.term.URIRef'>, 'Derivation': <class 'rdflib.term.URIRef'>, 'Dictionary': <class 'rdflib.term.URIRef'>, 'DirectQueryService': <class 'rdflib.term.URIRef'>, 'EmptyCollection': <class 'rdflib.term.URIRef'>, 'EmptyDictionary': <class 'rdflib.term.URIRef'>, 'End': <class 'rdflib.term.URIRef'>, 'Entity': <class 'rdflib.term.URIRef'>, 'EntityInfluence': <class 'rdflib.term.URIRef'>, 'Generation': <class 'rdflib.term.URIRef'>, 'Influence': <class 'rdflib.term.URIRef'>, 'Insertion': <class 'rdflib.term.URIRef'>, 'InstantaneousEvent': <class 'rdflib.term.URIRef'>, 'Invalidation': <class 'rdflib.term.URIRef'>, 'KeyEntityPair': <class 'rdflib.term.URIRef'>, 'Location': <class 'rdflib.term.URIRef'>, 'Modify': <class 'rdflib.term.URIRef'>, 'Organization': <class 'rdflib.term.URIRef'>, 'Person': <class 'rdflib.term.URIRef'>, 'Plan': <class 'rdflib.term.URIRef'>, 'PrimarySource': <class 'rdflib.term.URIRef'>, 'Publish': <class 'rdflib.term.URIRef'>, 'Publisher': <class 'rdflib.term.URIRef'>, 'Quotation': <class 'rdflib.term.URIRef'>, 'Removal': <class 'rdflib.term.URIRef'>, 'Replace': <class 'rdflib.term.URIRef'>, 'Revision': <class 'rdflib.term.URIRef'>, 'RightsAssignment': <class 'rdflib.term.URIRef'>, 'RightsHolder': <class 'rdflib.term.URIRef'>, 'Role': <class 'rdflib.term.URIRef'>, 'ServiceDescription': <class 'rdflib.term.URIRef'>, 'SoftwareAgent': <class 'rdflib.term.URIRef'>, 'Start': <class 'rdflib.term.URIRef'>, 'Submit': <class 'rdflib.term.URIRef'>, 'Usage': <class 'rdflib.term.URIRef'>, 'actedOnBehalfOf': <class 'rdflib.term.URIRef'>, 'activity': <class 'rdflib.term.URIRef'>, 'activityOfInfluence': <class 'rdflib.term.URIRef'>, 'agent': <class 'rdflib.term.URIRef'>, 'agentOfInfluence': <class 'rdflib.term.URIRef'>, 'alternateOf': <class 'rdflib.term.URIRef'>, 'aq': <class 'rdflib.term.URIRef'>, 'asInBundle': <class 'rdflib.term.URIRef'>, 'atLocation': <class 'rdflib.term.URIRef'>, 'atTime': <class 'rdflib.term.URIRef'>, 'category': <class 'rdflib.term.URIRef'>, 'component': <class 'rdflib.term.URIRef'>, 'constraints': <class 'rdflib.term.URIRef'>, 'contributed': <class 'rdflib.term.URIRef'>, 'definition': <class 'rdflib.term.URIRef'>, 'derivedByInsertionFrom': <class 'rdflib.term.URIRef'>, 'derivedByRemovalFrom': <class 'rdflib.term.URIRef'>, 'describesService': <class 'rdflib.term.URIRef'>, 'dictionary': <class 'rdflib.term.URIRef'>, 'dm': <class 'rdflib.term.URIRef'>, 'editorialNote': <class 'rdflib.term.URIRef'>, 'editorsDefinition': <class 'rdflib.term.URIRef'>, 'ended': <class 'rdflib.term.URIRef'>, 'endedAtTime': <class 'rdflib.term.URIRef'>, 'entity': <class 'rdflib.term.URIRef'>, 'entityOfInfluence': <class 'rdflib.term.URIRef'>, 'generalizationOf': <class 'rdflib.term.URIRef'>, 'generated': <class 'rdflib.term.URIRef'>, 'generatedAsDerivation': <class 'rdflib.term.URIRef'>, 'generatedAtTime': <class 'rdflib.term.URIRef'>, 'hadActivity': <class 'rdflib.term.URIRef'>, 'hadDelegate': <class 'rdflib.term.URIRef'>, 'hadDerivation': <class 'rdflib.term.URIRef'>, 'hadDictionaryMember': <class 'rdflib.term.URIRef'>, 'hadGeneration': <class 'rdflib.term.URIRef'>, 'hadInfluence': <class 'rdflib.term.URIRef'>, 'hadMember': <class 'rdflib.term.URIRef'>, 'hadPlan': <class 'rdflib.term.URIRef'>, 'hadPrimarySource': <class 'rdflib.term.URIRef'>, 'hadRevision': <class 'rdflib.term.URIRef'>, 'hadRole': <class 'rdflib.term.URIRef'>, 'hadUsage': <class 'rdflib.term.URIRef'>, 'has_anchor': <class 'rdflib.term.URIRef'>, 'has_provenance': <class 'rdflib.term.URIRef'>, 'has_query_service': <class 'rdflib.term.URIRef'>, 'influenced': <class 'rdflib.term.URIRef'>, 'influencer': <class 'rdflib.term.URIRef'>, 'informed': <class 'rdflib.term.URIRef'>, 'insertedKeyEntityPair': <class 'rdflib.term.URIRef'>, 'invalidated': <class 'rdflib.term.URIRef'>, 'invalidatedAtTime': <class 'rdflib.term.URIRef'>, 'inverse': <class 'rdflib.term.URIRef'>, 'locationOf': <class 'rdflib.term.URIRef'>, 'mentionOf': <class 'rdflib.term.URIRef'>, 'n': <class 'rdflib.term.URIRef'>, 'order': <class 'rdflib.term.URIRef'>, 'pairEntity': <class 'rdflib.term.URIRef'>, 'pairKey': <class 'rdflib.term.URIRef'>, 'pingback': <class 'rdflib.term.URIRef'>, 'provenanceUriTemplate': <class 'rdflib.term.URIRef'>, 'qualifiedAssociation': <class 'rdflib.term.URIRef'>, 'qualifiedAssociationOf': <class 'rdflib.term.URIRef'>, 'qualifiedAttribution': <class 'rdflib.term.URIRef'>, 'qualifiedAttributionOf': <class 'rdflib.term.URIRef'>, 'qualifiedCommunication': <class 'rdflib.term.URIRef'>, 'qualifiedCommunicationOf': <class 'rdflib.term.URIRef'>, 'qualifiedDelegation': <class 'rdflib.term.URIRef'>, 'qualifiedDelegationOf': <class 'rdflib.term.URIRef'>, 'qualifiedDerivation': <class 'rdflib.term.URIRef'>, 'qualifiedDerivationOf': <class 'rdflib.term.URIRef'>, 'qualifiedEnd': <class 'rdflib.term.URIRef'>, 'qualifiedEndOf': <class 'rdflib.term.URIRef'>, 'qualifiedForm': <class 'rdflib.term.URIRef'>, 'qualifiedGeneration': <class 'rdflib.term.URIRef'>, 'qualifiedGenerationOf': <class 'rdflib.term.URIRef'>, 'qualifiedInfluence': <class 'rdflib.term.URIRef'>, 'qualifiedInfluenceOf': <class 'rdflib.term.URIRef'>, 'qualifiedInsertion': <class 'rdflib.term.URIRef'>, 'qualifiedInvalidation': <class 'rdflib.term.URIRef'>, 'qualifiedInvalidationOf': <class 'rdflib.term.URIRef'>, 'qualifiedPrimarySource': <class 'rdflib.term.URIRef'>, 'qualifiedQuotation': <class 'rdflib.term.URIRef'>, 'qualifiedQuotationOf': <class 'rdflib.term.URIRef'>, 'qualifiedRemoval': <class 'rdflib.term.URIRef'>, 'qualifiedRevision': <class 'rdflib.term.URIRef'>, 'qualifiedSourceOf': <class 'rdflib.term.URIRef'>, 'qualifiedStart': <class 'rdflib.term.URIRef'>, 'qualifiedStartOf': <class 'rdflib.term.URIRef'>, 'qualifiedUsage': <class 'rdflib.term.URIRef'>, 'qualifiedUsingActivity': <class 'rdflib.term.URIRef'>, 'quotedAs': <class 'rdflib.term.URIRef'>, 'removedKey': <class 'rdflib.term.URIRef'>, 'revisedEntity': <class 'rdflib.term.URIRef'>, 'sharesDefinitionWith': <class 'rdflib.term.URIRef'>, 'specializationOf': <class 'rdflib.term.URIRef'>, 'started': <class 'rdflib.term.URIRef'>, 'startedAtTime': <class 'rdflib.term.URIRef'>, 'todo': <class 'rdflib.term.URIRef'>, 'unqualifiedForm': <class 'rdflib.term.URIRef'>, 'used': <class 'rdflib.term.URIRef'>, 'value': <class 'rdflib.term.URIRef'>, 'wasActivityOfInfluence': <class 'rdflib.term.URIRef'>, 'wasAssociateFor': <class 'rdflib.term.URIRef'>, 'wasAssociatedWith': <class 'rdflib.term.URIRef'>, 'wasAttributedTo': <class 'rdflib.term.URIRef'>, 'wasDerivedFrom': <class 'rdflib.term.URIRef'>, 'wasEndedBy': <class 'rdflib.term.URIRef'>, 'wasGeneratedBy': <class 'rdflib.term.URIRef'>, 'wasInfluencedBy': <class 'rdflib.term.URIRef'>, 'wasInformedBy': <class 'rdflib.term.URIRef'>, 'wasInvalidatedBy': <class 'rdflib.term.URIRef'>, 'wasMemberOf': <class 'rdflib.term.URIRef'>, 'wasPlanOf': <class 'rdflib.term.URIRef'>, 'wasPrimarySourceOf': <class 'rdflib.term.URIRef'>, 'wasQuotedFrom': <class 'rdflib.term.URIRef'>, 'wasRevisionOf': <class 'rdflib.term.URIRef'>, 'wasRoleIn': <class 'rdflib.term.URIRef'>, 'wasStartedBy': <class 'rdflib.term.URIRef'>, 'wasUsedBy': <class 'rdflib.term.URIRef'>, 'wasUsedInDerivation': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._PROV'
actedOnBehalfOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#actedOnBehalfOf')
activity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#activity')
activityOfInfluence: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#activityOfInfluence')
agent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#agent')
agentOfInfluence: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#agentOfInfluence')
alternateOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#alternateOf')
aq: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#aq')
asInBundle: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#asInBundle')
atLocation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#atLocation')
atTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#atTime')
category: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#category')
component: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#component')
constraints: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#constraints')
contributed: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#contributed')
definition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#definition')
derivedByInsertionFrom: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#derivedByInsertionFrom')
derivedByRemovalFrom: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#derivedByRemovalFrom')
describesService: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#describesService')
dictionary: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#dictionary')
dm: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#dm')
editorialNote: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#editorialNote')
editorsDefinition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#editorsDefinition')
ended: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#ended')
endedAtTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#endedAtTime')
entity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#entity')
entityOfInfluence: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#entityOfInfluence')
generalizationOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#generalizationOf')
generated: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#generated')
generatedAsDerivation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#generatedAsDerivation')
generatedAtTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#generatedAtTime')
hadActivity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadActivity')
hadDelegate: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadDelegate')
hadDerivation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadDerivation')
hadDictionaryMember: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadDictionaryMember')
hadGeneration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadGeneration')
hadInfluence: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadInfluence')
hadMember: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadMember')
hadPlan: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadPlan')
hadPrimarySource: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadPrimarySource')
hadRevision: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadRevision')
hadRole: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadRole')
hadUsage: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#hadUsage')
has_anchor: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#has_anchor')
has_provenance: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#has_provenance')
has_query_service: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#has_query_service')
influenced: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#influenced')
influencer: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#influencer')
informed: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#informed')
insertedKeyEntityPair: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#insertedKeyEntityPair')
invalidated: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#invalidated')
invalidatedAtTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#invalidatedAtTime')
inverse: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#inverse')
locationOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#locationOf')
mentionOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#mentionOf')
n: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#n')
order: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#order')
pairEntity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#pairEntity')
pairKey: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#pairKey')
pingback: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#pingback')
provenanceUriTemplate: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#provenanceUriTemplate')
qualifiedAssociation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedAssociation')
qualifiedAssociationOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedAssociationOf')
qualifiedAttribution: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedAttribution')
qualifiedAttributionOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedAttributionOf')
qualifiedCommunication: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedCommunication')
qualifiedCommunicationOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedCommunicationOf')
qualifiedDelegation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedDelegation')
qualifiedDelegationOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedDelegationOf')
qualifiedDerivation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedDerivation')
qualifiedDerivationOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedDerivationOf')
qualifiedEnd: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedEnd')
qualifiedEndOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedEndOf')
qualifiedForm: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedForm')
qualifiedGeneration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedGeneration')
qualifiedGenerationOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedGenerationOf')
qualifiedInfluence: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedInfluence')
qualifiedInfluenceOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedInfluenceOf')
qualifiedInsertion: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedInsertion')
qualifiedInvalidation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedInvalidation')
qualifiedInvalidationOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedInvalidationOf')
qualifiedPrimarySource: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedPrimarySource')
qualifiedQuotation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedQuotation')
qualifiedQuotationOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedQuotationOf')
qualifiedRemoval: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedRemoval')
qualifiedRevision: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedRevision')
qualifiedSourceOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedSourceOf')
qualifiedStart: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedStart')
qualifiedStartOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedStartOf')
qualifiedUsage: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedUsage')
qualifiedUsingActivity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#qualifiedUsingActivity')
quotedAs: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#quotedAs')
removedKey: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#removedKey')
revisedEntity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#revisedEntity')
sharesDefinitionWith: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#sharesDefinitionWith')
specializationOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#specializationOf')
started: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#started')
startedAtTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#startedAtTime')
todo: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#todo')
unqualifiedForm: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#unqualifiedForm')
used: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#used')
value: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#value')
wasActivityOfInfluence: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasActivityOfInfluence')
wasAssociateFor: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasAssociateFor')
wasAssociatedWith: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasAssociatedWith')
wasAttributedTo: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasAttributedTo')
wasDerivedFrom: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasDerivedFrom')
wasEndedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasEndedBy')
wasGeneratedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasGeneratedBy')
wasInfluencedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasInfluencedBy')
wasInformedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasInformedBy')
wasInvalidatedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasInvalidatedBy')
wasMemberOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasMemberOf')
wasPlanOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasPlanOf')
wasPrimarySourceOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasPrimarySourceOf')
wasQuotedFrom: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasQuotedFrom')
wasRevisionOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasRevisionOf')
wasRoleIn: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasRoleIn')
wasStartedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasStartedBy')
wasUsedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasUsedBy')
wasUsedInDerivation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/prov#wasUsedInDerivation')
class rdflib.QB[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#Attachable')
AttributeProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#AttributeProperty')
CodedProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#CodedProperty')
ComponentProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#ComponentProperty')
ComponentSet: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#ComponentSet')
ComponentSpecification: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#ComponentSpecification')
DataSet: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#DataSet')
DataStructureDefinition: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#DataStructureDefinition')
DimensionProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#DimensionProperty')
HierarchicalCodeList: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#HierarchicalCodeList')
MeasureProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#MeasureProperty')
Observation: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#Observation')
ObservationGroup: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#ObservationGroup')
Slice: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#Slice')
SliceKey: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#SliceKey')
__annotations__ = {'Attachable': <class 'rdflib.term.URIRef'>, 'AttributeProperty': <class 'rdflib.term.URIRef'>, 'CodedProperty': <class 'rdflib.term.URIRef'>, 'ComponentProperty': <class 'rdflib.term.URIRef'>, 'ComponentSet': <class 'rdflib.term.URIRef'>, 'ComponentSpecification': <class 'rdflib.term.URIRef'>, 'DataSet': <class 'rdflib.term.URIRef'>, 'DataStructureDefinition': <class 'rdflib.term.URIRef'>, 'DimensionProperty': <class 'rdflib.term.URIRef'>, 'HierarchicalCodeList': <class 'rdflib.term.URIRef'>, 'MeasureProperty': <class 'rdflib.term.URIRef'>, 'Observation': <class 'rdflib.term.URIRef'>, 'ObservationGroup': <class 'rdflib.term.URIRef'>, 'Slice': <class 'rdflib.term.URIRef'>, 'SliceKey': <class 'rdflib.term.URIRef'>, 'attribute': <class 'rdflib.term.URIRef'>, 'codeList': <class 'rdflib.term.URIRef'>, 'component': <class 'rdflib.term.URIRef'>, 'componentAttachment': <class 'rdflib.term.URIRef'>, 'componentProperty': <class 'rdflib.term.URIRef'>, 'componentRequired': <class 'rdflib.term.URIRef'>, 'concept': <class 'rdflib.term.URIRef'>, 'dataSet': <class 'rdflib.term.URIRef'>, 'dimension': <class 'rdflib.term.URIRef'>, 'hierarchyRoot': <class 'rdflib.term.URIRef'>, 'measure': <class 'rdflib.term.URIRef'>, 'measureDimension': <class 'rdflib.term.URIRef'>, 'measureType': <class 'rdflib.term.URIRef'>, 'observation': <class 'rdflib.term.URIRef'>, 'observationGroup': <class 'rdflib.term.URIRef'>, 'order': <class 'rdflib.term.URIRef'>, 'parentChildProperty': <class 'rdflib.term.URIRef'>, 'slice': <class 'rdflib.term.URIRef'>, 'sliceKey': <class 'rdflib.term.URIRef'>, 'sliceStructure': <class 'rdflib.term.URIRef'>, 'structure': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._QB'
attribute: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#attribute')
codeList: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#codeList')
component: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#component')
componentAttachment: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#componentAttachment')
componentProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#componentProperty')
componentRequired: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#componentRequired')
concept: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#concept')
dataSet: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#dataSet')
dimension: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#dimension')
hierarchyRoot: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#hierarchyRoot')
measure: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#measure')
measureDimension: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#measureDimension')
measureType: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#measureType')
observation: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#observation')
observationGroup: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#observationGroup')
order: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#order')
parentChildProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#parentChildProperty')
slice: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#slice')
sliceKey: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#sliceKey')
sliceStructure: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#sliceStructure')
structure: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/linked-data/cube#structure')
class rdflib.RDF[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#Alt')
Bag: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#Bag')
CompoundLiteral: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#CompoundLiteral')
HTML: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#HTML')
JSON: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#JSON')
List: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#List')
PlainLiteral: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#PlainLiteral')
Property: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#Property')
Seq: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#Seq')
Statement: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#Statement')
XMLLiteral: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#XMLLiteral')
__annotations__ = {'Alt': <class 'rdflib.term.URIRef'>, 'Bag': <class 'rdflib.term.URIRef'>, 'CompoundLiteral': <class 'rdflib.term.URIRef'>, 'HTML': <class 'rdflib.term.URIRef'>, 'JSON': <class 'rdflib.term.URIRef'>, 'List': <class 'rdflib.term.URIRef'>, 'PlainLiteral': <class 'rdflib.term.URIRef'>, 'Property': <class 'rdflib.term.URIRef'>, 'Seq': <class 'rdflib.term.URIRef'>, 'Statement': <class 'rdflib.term.URIRef'>, 'XMLLiteral': <class 'rdflib.term.URIRef'>, 'direction': <class 'rdflib.term.URIRef'>, 'first': <class 'rdflib.term.URIRef'>, 'langString': <class 'rdflib.term.URIRef'>, 'language': <class 'rdflib.term.URIRef'>, 'nil': <class 'rdflib.term.URIRef'>, 'object': <class 'rdflib.term.URIRef'>, 'predicate': <class 'rdflib.term.URIRef'>, 'rest': <class 'rdflib.term.URIRef'>, 'subject': <class 'rdflib.term.URIRef'>, 'type': <class 'rdflib.term.URIRef'>, 'value': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._RDF'
direction: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#direction')
first: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#first')
langString: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#langString')
language: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#language')
nil: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#nil')
object: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#object')
predicate: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#predicate')
rest: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#rest')
subject: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#subject')
type: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#type')
value: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/1999/02/22-rdf-syntax-ns#value')
class rdflib.RDFS[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#Class')
Container: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#Container')
ContainerMembershipProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#ContainerMembershipProperty')
Datatype: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#Datatype')
Literal: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#Literal')
Resource: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#Resource')
__annotations__ = {'Class': <class 'rdflib.term.URIRef'>, 'Container': <class 'rdflib.term.URIRef'>, 'ContainerMembershipProperty': <class 'rdflib.term.URIRef'>, 'Datatype': <class 'rdflib.term.URIRef'>, 'Literal': <class 'rdflib.term.URIRef'>, 'Resource': <class 'rdflib.term.URIRef'>, 'comment': <class 'rdflib.term.URIRef'>, 'domain': <class 'rdflib.term.URIRef'>, 'isDefinedBy': <class 'rdflib.term.URIRef'>, 'label': <class 'rdflib.term.URIRef'>, 'member': <class 'rdflib.term.URIRef'>, 'range': <class 'rdflib.term.URIRef'>, 'seeAlso': <class 'rdflib.term.URIRef'>, 'subClassOf': <class 'rdflib.term.URIRef'>, 'subPropertyOf': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._RDFS'
comment: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#comment')
domain: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#domain')
isDefinedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#isDefinedBy')
label: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#label')
member: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#member')
range: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#range')
seeAlso: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#seeAlso')
subClassOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#subClassOf')
subPropertyOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2000/01/rdf-schema#subPropertyOf')
class rdflib.SDO[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AMRadioChannel')
APIReference: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/APIReference')
Abdomen: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Abdomen')
AboutPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AboutPage')
AcceptAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AcceptAction')
Accommodation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Accommodation')
AccountingService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AccountingService')
AchieveAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AchieveAction')
Action: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Action')
ActionAccessSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ActionAccessSpecification')
ActionStatusType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ActionStatusType')
ActivateAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ActivateAction')
ActivationFee: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ActivationFee')
ActiveActionStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ActiveActionStatus')
ActiveNotRecruiting: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ActiveNotRecruiting')
AddAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AddAction')
AdministrativeArea: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AdministrativeArea')
AdultEntertainment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AdultEntertainment')
AdvertiserContentArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AdvertiserContentArticle')
AerobicActivity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AerobicActivity')
AggregateOffer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AggregateOffer')
AggregateRating: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AggregateRating')
AgreeAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AgreeAction')
Airline: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Airline')
Airport: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Airport')
AlbumRelease: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AlbumRelease')
AlignmentObject: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AlignmentObject')
AllWheelDriveConfiguration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AllWheelDriveConfiguration')
AllergiesHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AllergiesHealthAspect')
AllocateAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AllocateAction')
AmpStory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AmpStory')
AmusementPark: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AmusementPark')
AnaerobicActivity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AnaerobicActivity')
AnalysisNewsArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AnalysisNewsArticle')
AnatomicalStructure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AnatomicalStructure')
AnatomicalSystem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AnatomicalSystem')
Anesthesia: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Anesthesia')
AnimalShelter: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AnimalShelter')
Answer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Answer')
Apartment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Apartment')
ApartmentComplex: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ApartmentComplex')
Appearance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Appearance')
AppendAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AppendAction')
ApplyAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ApplyAction')
ApprovedIndication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ApprovedIndication')
Aquarium: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Aquarium')
ArchiveComponent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ArchiveComponent')
ArchiveOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ArchiveOrganization')
ArriveAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ArriveAction')
ArtGallery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ArtGallery')
Artery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Artery')
Article: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Article')
AskAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AskAction')
AskPublicNewsArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AskPublicNewsArticle')
AssessAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AssessAction')
AssignAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AssignAction')
Atlas: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Atlas')
Attorney: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Attorney')
Audience: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Audience')
AudioObject: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AudioObject')
AudioObjectSnapshot: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AudioObjectSnapshot')
Audiobook: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Audiobook')
AudiobookFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AudiobookFormat')
AuthoritativeLegalValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AuthoritativeLegalValue')
AuthorizeAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AuthorizeAction')
AutoBodyShop: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AutoBodyShop')
AutoDealer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AutoDealer')
AutoPartsStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AutoPartsStore')
AutoRental: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AutoRental')
AutoRepair: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AutoRepair')
AutoWash: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AutoWash')
AutomatedTeller: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AutomatedTeller')
AutomotiveBusiness: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/AutomotiveBusiness')
Ayurvedic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Ayurvedic')
BackOrder: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BackOrder')
BackgroundNewsArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BackgroundNewsArticle')
Bacteria: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Bacteria')
Bakery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Bakery')
Balance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Balance')
BankAccount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BankAccount')
BankOrCreditUnion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BankOrCreditUnion')
BarOrPub: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BarOrPub')
Barcode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Barcode')
BasicIncome: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BasicIncome')
Beach: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Beach')
BeautySalon: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BeautySalon')
BedAndBreakfast: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BedAndBreakfast')
BedDetails: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BedDetails')
BedType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BedType')
BefriendAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BefriendAction')
BenefitsHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BenefitsHealthAspect')
BikeStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BikeStore')
BioChemEntity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BioChemEntity')
Blog: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Blog')
BlogPosting: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BlogPosting')
BloodTest: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BloodTest')
BoardingPolicyType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BoardingPolicyType')
BoatReservation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BoatReservation')
BoatTerminal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BoatTerminal')
BoatTrip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BoatTrip')
BodyMeasurementArm: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementArm')
BodyMeasurementBust: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementBust')
BodyMeasurementChest: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementChest')
BodyMeasurementFoot: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementFoot')
BodyMeasurementHand: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementHand')
BodyMeasurementHead: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementHead')
BodyMeasurementHeight: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementHeight')
BodyMeasurementHips: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementHips')
BodyMeasurementInsideLeg: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementInsideLeg')
BodyMeasurementNeck: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementNeck')
BodyMeasurementTypeEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementTypeEnumeration')
BodyMeasurementUnderbust: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementUnderbust')
BodyMeasurementWaist: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementWaist')
BodyMeasurementWeight: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyMeasurementWeight')
BodyOfWater: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BodyOfWater')
Bone: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Bone')
Book: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Book')
BookFormatType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BookFormatType')
BookSeries: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BookSeries')
BookStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BookStore')
BookmarkAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BookmarkAction')
Boolean: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Boolean')
BorrowAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BorrowAction')
BowlingAlley: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BowlingAlley')
BrainStructure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BrainStructure')
Brand: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Brand')
BreadcrumbList: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BreadcrumbList')
Brewery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Brewery')
Bridge: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Bridge')
BroadcastChannel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BroadcastChannel')
BroadcastEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BroadcastEvent')
BroadcastFrequencySpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BroadcastFrequencySpecification')
BroadcastRelease: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BroadcastRelease')
BroadcastService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BroadcastService')
BrokerageAccount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BrokerageAccount')
BuddhistTemple: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BuddhistTemple')
BusOrCoach: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BusOrCoach')
BusReservation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BusReservation')
BusStation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BusStation')
BusStop: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BusStop')
BusTrip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BusTrip')
BusinessAudience: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BusinessAudience')
BusinessEntityType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BusinessEntityType')
BusinessEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BusinessEvent')
BusinessFunction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BusinessFunction')
BusinessSupport: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BusinessSupport')
BuyAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/BuyAction')
CDCPMDRecord: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CDCPMDRecord')
CDFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CDFormat')
CT: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CT')
CableOrSatelliteService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CableOrSatelliteService')
CafeOrCoffeeShop: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CafeOrCoffeeShop')
Campground: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Campground')
CampingPitch: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CampingPitch')
Canal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Canal')
CancelAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CancelAction')
Car: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Car')
CarUsageType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CarUsageType')
Cardiovascular: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Cardiovascular')
CardiovascularExam: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CardiovascularExam')
CaseSeries: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CaseSeries')
Casino: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Casino')
CassetteFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CassetteFormat')
CategoryCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CategoryCode')
CategoryCodeSet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CategoryCodeSet')
CatholicChurch: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CatholicChurch')
CausesHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CausesHealthAspect')
Cemetery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Cemetery')
Chapter: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Chapter')
CharitableIncorporatedOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CharitableIncorporatedOrganization')
CheckAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CheckAction')
CheckInAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CheckInAction')
CheckOutAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CheckOutAction')
CheckoutPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CheckoutPage')
ChemicalSubstance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ChemicalSubstance')
ChildCare: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ChildCare')
ChildrensEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ChildrensEvent')
Chiropractic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Chiropractic')
ChooseAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ChooseAction')
Church: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Church')
City: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/City')
CityHall: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CityHall')
CivicStructure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CivicStructure')
Claim: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Claim')
ClaimReview: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ClaimReview')
Class: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Class')
CleaningFee: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CleaningFee')
Clinician: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Clinician')
Clip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Clip')
ClothingStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ClothingStore')
CoOp: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CoOp')
Code: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Code')
CohortStudy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CohortStudy')
Collection: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Collection')
CollectionPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CollectionPage')
CollegeOrUniversity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CollegeOrUniversity')
ComedyClub: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ComedyClub')
ComedyEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ComedyEvent')
ComicCoverArt: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ComicCoverArt')
ComicIssue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ComicIssue')
ComicSeries: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ComicSeries')
ComicStory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ComicStory')
Comment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Comment')
CommentAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CommentAction')
CommentPermission: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CommentPermission')
CommunicateAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CommunicateAction')
CommunityHealth: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CommunityHealth')
CompilationAlbum: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CompilationAlbum')
CompleteDataFeed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CompleteDataFeed')
Completed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Completed')
CompletedActionStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CompletedActionStatus')
CompoundPriceSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CompoundPriceSpecification')
ComputerLanguage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ComputerLanguage')
ComputerStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ComputerStore')
ConfirmAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ConfirmAction')
Consortium: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Consortium')
ConsumeAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ConsumeAction')
ContactPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ContactPage')
ContactPoint: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ContactPoint')
ContactPointOption: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ContactPointOption')
ContagiousnessHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ContagiousnessHealthAspect')
Continent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Continent')
ControlAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ControlAction')
ConvenienceStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ConvenienceStore')
Conversation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Conversation')
CookAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CookAction')
Corporation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Corporation')
CorrectionComment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CorrectionComment')
Country: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Country')
Course: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Course')
CourseInstance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CourseInstance')
Courthouse: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Courthouse')
CoverArt: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CoverArt')
CovidTestingFacility: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CovidTestingFacility')
CreateAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CreateAction')
CreativeWork: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CreativeWork')
CreativeWorkSeason: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CreativeWorkSeason')
CreativeWorkSeries: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CreativeWorkSeries')
CreditCard: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CreditCard')
Crematorium: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Crematorium')
CriticReview: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CriticReview')
CrossSectional: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CrossSectional')
CssSelectorType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CssSelectorType')
CurrencyConversionService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/CurrencyConversionService')
DDxElement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DDxElement')
DJMixAlbum: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DJMixAlbum')
DVDFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DVDFormat')
DamagedCondition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DamagedCondition')
DanceEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DanceEvent')
DanceGroup: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DanceGroup')
DataCatalog: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DataCatalog')
DataDownload: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DataDownload')
DataFeed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DataFeed')
DataFeedItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DataFeedItem')
DataType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DataType')
Dataset: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Dataset')
Date: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Date')
DateTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DateTime')
DatedMoneySpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DatedMoneySpecification')
DayOfWeek: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DayOfWeek')
DaySpa: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DaySpa')
DeactivateAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DeactivateAction')
DecontextualizedContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DecontextualizedContent')
DefenceEstablishment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DefenceEstablishment')
DefinedRegion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DefinedRegion')
DefinedTerm: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DefinedTerm')
DefinedTermSet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DefinedTermSet')
DefinitiveLegalValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DefinitiveLegalValue')
DeleteAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DeleteAction')
DeliveryChargeSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DeliveryChargeSpecification')
DeliveryEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DeliveryEvent')
DeliveryMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DeliveryMethod')
DeliveryTimeSettings: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DeliveryTimeSettings')
Demand: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Demand')
DemoAlbum: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DemoAlbum')
Dentist: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Dentist')
Dentistry: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Dentistry')
DepartAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DepartAction')
DepartmentStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DepartmentStore')
DepositAccount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DepositAccount')
Dermatologic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Dermatologic')
Dermatology: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Dermatology')
DiabeticDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DiabeticDiet')
Diagnostic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Diagnostic')
DiagnosticLab: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DiagnosticLab')
DiagnosticProcedure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DiagnosticProcedure')
Diet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Diet')
DietNutrition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DietNutrition')
DietarySupplement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DietarySupplement')
DigitalAudioTapeFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DigitalAudioTapeFormat')
DigitalDocument: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DigitalDocument')
DigitalDocumentPermission: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DigitalDocumentPermission')
DigitalDocumentPermissionType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DigitalDocumentPermissionType')
DigitalFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DigitalFormat')
DisabilitySupport: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DisabilitySupport')
DisagreeAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DisagreeAction')
Discontinued: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Discontinued')
DiscoverAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DiscoverAction')
DiscussionForumPosting: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DiscussionForumPosting')
DislikeAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DislikeAction')
Distance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Distance')
DistanceFee: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DistanceFee')
Distillery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Distillery')
DonateAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DonateAction')
DoseSchedule: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DoseSchedule')
DoubleBlindedTrial: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DoubleBlindedTrial')
DownloadAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DownloadAction')
Downpayment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Downpayment')
DrawAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DrawAction')
Drawing: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Drawing')
DrinkAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DrinkAction')
DriveWheelConfigurationValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DriveWheelConfigurationValue')
DrivingSchoolVehicleUsage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DrivingSchoolVehicleUsage')
Drug: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Drug')
DrugClass: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DrugClass')
DrugCost: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DrugCost')
DrugCostCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DrugCostCategory')
DrugLegalStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DrugLegalStatus')
DrugPregnancyCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DrugPregnancyCategory')
DrugPrescriptionStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DrugPrescriptionStatus')
DrugStrength: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DrugStrength')
DryCleaningOrLaundry: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/DryCleaningOrLaundry')
Duration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Duration')
EBook: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EBook')
EPRelease: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EPRelease')
EUEnergyEfficiencyCategoryA: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryA')
EUEnergyEfficiencyCategoryA1Plus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryA1Plus')
EUEnergyEfficiencyCategoryA2Plus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryA2Plus')
EUEnergyEfficiencyCategoryA3Plus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryA3Plus')
EUEnergyEfficiencyCategoryB: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryB')
EUEnergyEfficiencyCategoryC: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryC')
EUEnergyEfficiencyCategoryD: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryD')
EUEnergyEfficiencyCategoryE: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryE')
EUEnergyEfficiencyCategoryF: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryF')
EUEnergyEfficiencyCategoryG: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyCategoryG')
EUEnergyEfficiencyEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EUEnergyEfficiencyEnumeration')
Ear: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Ear')
EatAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EatAction')
EditedOrCroppedContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EditedOrCroppedContent')
EducationEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EducationEvent')
EducationalAudience: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EducationalAudience')
EducationalOccupationalCredential: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EducationalOccupationalCredential')
EducationalOccupationalProgram: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EducationalOccupationalProgram')
EducationalOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EducationalOrganization')
EffectivenessHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EffectivenessHealthAspect')
Electrician: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Electrician')
ElectronicsStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ElectronicsStore')
ElementarySchool: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ElementarySchool')
EmailMessage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EmailMessage')
Embassy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Embassy')
Emergency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Emergency')
EmergencyService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EmergencyService')
EmployeeRole: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EmployeeRole')
EmployerAggregateRating: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EmployerAggregateRating')
EmployerReview: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EmployerReview')
EmploymentAgency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EmploymentAgency')
Endocrine: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Endocrine')
EndorseAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EndorseAction')
EndorsementRating: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EndorsementRating')
Energy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Energy')
EnergyConsumptionDetails: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EnergyConsumptionDetails')
EnergyEfficiencyEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EnergyEfficiencyEnumeration')
EnergyStarCertified: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EnergyStarCertified')
EnergyStarEnergyEfficiencyEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EnergyStarEnergyEfficiencyEnumeration')
EngineSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EngineSpecification')
EnrollingByInvitation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EnrollingByInvitation')
EntertainmentBusiness: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EntertainmentBusiness')
EntryPoint: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EntryPoint')
Enumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Enumeration')
Episode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Episode')
Event: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Event')
EventAttendanceModeEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EventAttendanceModeEnumeration')
EventCancelled: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EventCancelled')
EventMovedOnline: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EventMovedOnline')
EventPostponed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EventPostponed')
EventRescheduled: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EventRescheduled')
EventReservation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EventReservation')
EventScheduled: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EventScheduled')
EventSeries: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EventSeries')
EventStatusType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EventStatusType')
EventVenue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EventVenue')
EvidenceLevelA: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EvidenceLevelA')
EvidenceLevelB: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EvidenceLevelB')
EvidenceLevelC: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/EvidenceLevelC')
ExchangeRateSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ExchangeRateSpecification')
ExchangeRefund: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ExchangeRefund')
ExerciseAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ExerciseAction')
ExerciseGym: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ExerciseGym')
ExercisePlan: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ExercisePlan')
ExhibitionEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ExhibitionEvent')
Eye: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Eye')
FAQPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FAQPage')
FDAcategoryA: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FDAcategoryA')
FDAcategoryB: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FDAcategoryB')
FDAcategoryC: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FDAcategoryC')
FDAcategoryD: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FDAcategoryD')
FDAcategoryX: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FDAcategoryX')
FDAnotEvaluated: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FDAnotEvaluated')
FMRadioChannel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FMRadioChannel')
FailedActionStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FailedActionStatus')
FastFoodRestaurant: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FastFoodRestaurant')
Female: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Female')
Festival: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Festival')
FilmAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FilmAction')
FinancialProduct: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FinancialProduct')
FinancialService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FinancialService')
FindAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FindAction')
FireStation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FireStation')
Flexibility: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Flexibility')
Flight: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Flight')
FlightReservation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FlightReservation')
Float: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Float')
FloorPlan: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FloorPlan')
Florist: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Florist')
FollowAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FollowAction')
FoodEstablishment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FoodEstablishment')
FoodEstablishmentReservation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FoodEstablishmentReservation')
FoodEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FoodEvent')
FoodService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FoodService')
FourWheelDriveConfiguration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FourWheelDriveConfiguration')
FreeReturn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FreeReturn')
Friday: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Friday')
FrontWheelDriveConfiguration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FrontWheelDriveConfiguration')
FullRefund: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FullRefund')
FundingAgency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FundingAgency')
FundingScheme: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FundingScheme')
Fungus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Fungus')
FurnitureStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/FurnitureStore')
Game: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Game')
GamePlayMode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GamePlayMode')
GameServer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GameServer')
GameServerStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GameServerStatus')
GardenStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GardenStore')
GasStation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GasStation')
Gastroenterologic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Gastroenterologic')
GatedResidenceCommunity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GatedResidenceCommunity')
GenderType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GenderType')
Gene: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Gene')
GeneralContractor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GeneralContractor')
Genetic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Genetic')
Genitourinary: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Genitourinary')
GeoCircle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GeoCircle')
GeoCoordinates: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GeoCoordinates')
GeoShape: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GeoShape')
GeospatialGeometry: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GeospatialGeometry')
Geriatric: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Geriatric')
GettingAccessHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GettingAccessHealthAspect')
GiveAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GiveAction')
GlutenFreeDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GlutenFreeDiet')
GolfCourse: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GolfCourse')
GovernmentBenefitsType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GovernmentBenefitsType')
GovernmentBuilding: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GovernmentBuilding')
GovernmentOffice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GovernmentOffice')
GovernmentOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GovernmentOrganization')
GovernmentPermit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GovernmentPermit')
GovernmentService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GovernmentService')
Grant: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Grant')
GraphicNovel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GraphicNovel')
GroceryStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GroceryStore')
GroupBoardingPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/GroupBoardingPolicy')
Guide: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Guide')
Gynecologic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Gynecologic')
HVACBusiness: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HVACBusiness')
Hackathon: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Hackathon')
HairSalon: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HairSalon')
HalalDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HalalDiet')
Hardcover: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Hardcover')
HardwareStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HardwareStore')
Head: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Head')
HealthAndBeautyBusiness: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HealthAndBeautyBusiness')
HealthAspectEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HealthAspectEnumeration')
HealthCare: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HealthCare')
HealthClub: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HealthClub')
HealthInsurancePlan: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HealthInsurancePlan')
HealthPlanCostSharingSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HealthPlanCostSharingSpecification')
HealthPlanFormulary: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HealthPlanFormulary')
HealthPlanNetwork: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HealthPlanNetwork')
HealthTopicContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HealthTopicContent')
HearingImpairedSupported: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HearingImpairedSupported')
Hematologic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Hematologic')
HighSchool: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HighSchool')
HinduDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HinduDiet')
HinduTemple: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HinduTemple')
HobbyShop: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HobbyShop')
HomeAndConstructionBusiness: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HomeAndConstructionBusiness')
HomeGoodsStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HomeGoodsStore')
Homeopathic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Homeopathic')
Hospital: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Hospital')
Hostel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Hostel')
Hotel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Hotel')
HotelRoom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HotelRoom')
House: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/House')
HousePainter: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HousePainter')
HowItWorksHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HowItWorksHealthAspect')
HowOrWhereHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HowOrWhereHealthAspect')
HowTo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HowTo')
HowToDirection: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HowToDirection')
HowToItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HowToItem')
HowToSection: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HowToSection')
HowToStep: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HowToStep')
HowToSupply: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HowToSupply')
HowToTip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HowToTip')
HowToTool: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HowToTool')
HyperToc: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HyperToc')
HyperTocEntry: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/HyperTocEntry')
IceCreamShop: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/IceCreamShop')
IgnoreAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/IgnoreAction')
ImageGallery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ImageGallery')
ImageObject: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ImageObject')
ImageObjectSnapshot: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ImageObjectSnapshot')
ImagingTest: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ImagingTest')
InForce: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InForce')
InStock: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InStock')
InStoreOnly: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InStoreOnly')
IndividualProduct: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/IndividualProduct')
Infectious: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Infectious')
InfectiousAgentClass: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InfectiousAgentClass')
InfectiousDisease: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InfectiousDisease')
InformAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InformAction')
IngredientsHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/IngredientsHealthAspect')
InsertAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InsertAction')
InstallAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InstallAction')
Installment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Installment')
InsuranceAgency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InsuranceAgency')
Intangible: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Intangible')
Integer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Integer')
InteractAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InteractAction')
InteractionCounter: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InteractionCounter')
InternationalTrial: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InternationalTrial')
InternetCafe: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InternetCafe')
InvestmentFund: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InvestmentFund')
InvestmentOrDeposit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InvestmentOrDeposit')
InviteAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InviteAction')
Invoice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Invoice')
InvoicePrice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/InvoicePrice')
ItemAvailability: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ItemAvailability')
ItemList: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ItemList')
ItemListOrderAscending: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ItemListOrderAscending')
ItemListOrderDescending: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ItemListOrderDescending')
ItemListOrderType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ItemListOrderType')
ItemListUnordered: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ItemListUnordered')
ItemPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ItemPage')
JewelryStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/JewelryStore')
JobPosting: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/JobPosting')
JoinAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/JoinAction')
Joint: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Joint')
KosherDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/KosherDiet')
LaboratoryScience: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LaboratoryScience')
LakeBodyOfWater: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LakeBodyOfWater')
Landform: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Landform')
LandmarksOrHistoricalBuildings: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LandmarksOrHistoricalBuildings')
Language: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Language')
LaserDiscFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LaserDiscFormat')
LearningResource: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LearningResource')
LeaveAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LeaveAction')
LeftHandDriving: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LeftHandDriving')
LegalForceStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LegalForceStatus')
LegalService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LegalService')
LegalValueLevel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LegalValueLevel')
Legislation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Legislation')
LegislationObject: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LegislationObject')
LegislativeBuilding: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LegislativeBuilding')
LeisureTimeActivity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LeisureTimeActivity')
LendAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LendAction')
Library: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Library')
LibrarySystem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LibrarySystem')
LifestyleModification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LifestyleModification')
Ligament: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Ligament')
LikeAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LikeAction')
LimitedAvailability: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LimitedAvailability')
LimitedByGuaranteeCharity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LimitedByGuaranteeCharity')
LinkRole: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LinkRole')
LiquorStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LiquorStore')
ListItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ListItem')
ListPrice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ListPrice')
ListenAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ListenAction')
LiteraryEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LiteraryEvent')
LiveAlbum: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LiveAlbum')
LiveBlogPosting: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LiveBlogPosting')
LivingWithHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LivingWithHealthAspect')
LoanOrCredit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LoanOrCredit')
LocalBusiness: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LocalBusiness')
LocationFeatureSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LocationFeatureSpecification')
LockerDelivery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LockerDelivery')
Locksmith: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Locksmith')
LodgingBusiness: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LodgingBusiness')
LodgingReservation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LodgingReservation')
Longitudinal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Longitudinal')
LoseAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LoseAction')
LowCalorieDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LowCalorieDiet')
LowFatDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LowFatDiet')
LowLactoseDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LowLactoseDiet')
LowSaltDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LowSaltDiet')
Lung: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Lung')
LymphaticVessel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/LymphaticVessel')
MRI: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MRI')
MSRP: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MSRP')
Male: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Male')
Manuscript: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Manuscript')
Map: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Map')
MapCategoryType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MapCategoryType')
MarryAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MarryAction')
Mass: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Mass')
MathSolver: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MathSolver')
MaximumDoseSchedule: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MaximumDoseSchedule')
MayTreatHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MayTreatHealthAspect')
MeasurementTypeEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MeasurementTypeEnumeration')
MediaGallery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MediaGallery')
MediaManipulationRatingEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MediaManipulationRatingEnumeration')
MediaObject: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MediaObject')
MediaReview: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MediaReview')
MediaReviewItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MediaReviewItem')
MediaSubscription: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MediaSubscription')
MedicalAudience: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalAudience')
MedicalAudienceType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalAudienceType')
MedicalBusiness: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalBusiness')
MedicalCause: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalCause')
MedicalClinic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalClinic')
MedicalCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalCode')
MedicalCondition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalCondition')
MedicalConditionStage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalConditionStage')
MedicalContraindication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalContraindication')
MedicalDevice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalDevice')
MedicalDevicePurpose: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalDevicePurpose')
MedicalEntity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalEntity')
MedicalEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalEnumeration')
MedicalEvidenceLevel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalEvidenceLevel')
MedicalGuideline: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalGuideline')
MedicalGuidelineContraindication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalGuidelineContraindication')
MedicalGuidelineRecommendation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalGuidelineRecommendation')
MedicalImagingTechnique: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalImagingTechnique')
MedicalIndication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalIndication')
MedicalIntangible: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalIntangible')
MedicalObservationalStudy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalObservationalStudy')
MedicalObservationalStudyDesign: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalObservationalStudyDesign')
MedicalOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalOrganization')
MedicalProcedure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalProcedure')
MedicalProcedureType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalProcedureType')
MedicalResearcher: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalResearcher')
MedicalRiskCalculator: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalRiskCalculator')
MedicalRiskEstimator: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalRiskEstimator')
MedicalRiskFactor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalRiskFactor')
MedicalRiskScore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalRiskScore')
MedicalScholarlyArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalScholarlyArticle')
MedicalSign: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalSign')
MedicalSignOrSymptom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalSignOrSymptom')
MedicalSpecialty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalSpecialty')
MedicalStudy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalStudy')
MedicalStudyStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalStudyStatus')
MedicalSymptom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalSymptom')
MedicalTest: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalTest')
MedicalTestPanel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalTestPanel')
MedicalTherapy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalTherapy')
MedicalTrial: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalTrial')
MedicalTrialDesign: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalTrialDesign')
MedicalWebPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicalWebPage')
MedicineSystem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MedicineSystem')
MeetingRoom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MeetingRoom')
MensClothingStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MensClothingStore')
Menu: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Menu')
MenuItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MenuItem')
MenuSection: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MenuSection')
MerchantReturnEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnEnumeration')
MerchantReturnFiniteReturnWindow: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnFiniteReturnWindow')
MerchantReturnNotPermitted: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnNotPermitted')
MerchantReturnPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnPolicy')
MerchantReturnPolicySeasonalOverride: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnPolicySeasonalOverride')
MerchantReturnUnlimitedWindow: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnUnlimitedWindow')
MerchantReturnUnspecified: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MerchantReturnUnspecified')
Message: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Message')
MiddleSchool: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MiddleSchool')
Midwifery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Midwifery')
MinimumAdvertisedPrice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MinimumAdvertisedPrice')
MisconceptionsHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MisconceptionsHealthAspect')
MixedEventAttendanceMode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MixedEventAttendanceMode')
MixtapeAlbum: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MixtapeAlbum')
MobileApplication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MobileApplication')
MobilePhoneStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MobilePhoneStore')
MolecularEntity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MolecularEntity')
Monday: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Monday')
MonetaryAmount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MonetaryAmount')
MonetaryAmountDistribution: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MonetaryAmountDistribution')
MonetaryGrant: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MonetaryGrant')
MoneyTransfer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MoneyTransfer')
MortgageLoan: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MortgageLoan')
Mosque: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Mosque')
Motel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Motel')
Motorcycle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Motorcycle')
MotorcycleDealer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MotorcycleDealer')
MotorcycleRepair: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MotorcycleRepair')
MotorizedBicycle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MotorizedBicycle')
Mountain: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Mountain')
MoveAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MoveAction')
Movie: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Movie')
MovieClip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MovieClip')
MovieRentalStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MovieRentalStore')
MovieSeries: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MovieSeries')
MovieTheater: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MovieTheater')
MovingCompany: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MovingCompany')
MultiCenterTrial: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MultiCenterTrial')
MultiPlayer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MultiPlayer')
MulticellularParasite: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MulticellularParasite')
Muscle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Muscle')
Musculoskeletal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Musculoskeletal')
MusculoskeletalExam: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusculoskeletalExam')
Museum: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Museum')
MusicAlbum: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicAlbum')
MusicAlbumProductionType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicAlbumProductionType')
MusicAlbumReleaseType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicAlbumReleaseType')
MusicComposition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicComposition')
MusicEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicEvent')
MusicGroup: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicGroup')
MusicPlaylist: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicPlaylist')
MusicRecording: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicRecording')
MusicRelease: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicRelease')
MusicReleaseFormatType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicReleaseFormatType')
MusicStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicStore')
MusicVenue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicVenue')
MusicVideoObject: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/MusicVideoObject')
NGO: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NGO')
NLNonprofitType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NLNonprofitType')
NailSalon: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NailSalon')
Neck: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Neck')
Nerve: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nerve')
Neuro: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Neuro')
Neurologic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Neurologic')
NewCondition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NewCondition')
NewsArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NewsArticle')
NewsMediaOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NewsMediaOrganization')
Newspaper: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Newspaper')
NightClub: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NightClub')
NoninvasiveProcedure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NoninvasiveProcedure')
Nonprofit501a: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501a')
Nonprofit501c1: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c1')
Nonprofit501c10: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c10')
Nonprofit501c11: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c11')
Nonprofit501c12: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c12')
Nonprofit501c13: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c13')
Nonprofit501c14: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c14')
Nonprofit501c15: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c15')
Nonprofit501c16: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c16')
Nonprofit501c17: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c17')
Nonprofit501c18: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c18')
Nonprofit501c19: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c19')
Nonprofit501c2: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c2')
Nonprofit501c20: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c20')
Nonprofit501c21: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c21')
Nonprofit501c22: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c22')
Nonprofit501c23: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c23')
Nonprofit501c24: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c24')
Nonprofit501c25: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c25')
Nonprofit501c26: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c26')
Nonprofit501c27: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c27')
Nonprofit501c28: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c28')
Nonprofit501c3: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c3')
Nonprofit501c4: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c4')
Nonprofit501c5: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c5')
Nonprofit501c6: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c6')
Nonprofit501c7: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c7')
Nonprofit501c8: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c8')
Nonprofit501c9: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501c9')
Nonprofit501d: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501d')
Nonprofit501e: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501e')
Nonprofit501f: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501f')
Nonprofit501k: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501k')
Nonprofit501n: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501n')
Nonprofit501q: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit501q')
Nonprofit527: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nonprofit527')
NonprofitANBI: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NonprofitANBI')
NonprofitSBBI: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NonprofitSBBI')
NonprofitType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NonprofitType')
Nose: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nose')
NotInForce: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NotInForce')
NotYetRecruiting: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NotYetRecruiting')
Notary: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Notary')
NoteDigitalDocument: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NoteDigitalDocument')
Number: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Number')
Nursing: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Nursing')
NutritionInformation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/NutritionInformation')
OTC: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OTC')
Observation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Observation')
Observational: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Observational')
Obstetric: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Obstetric')
Occupation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Occupation')
OccupationalActivity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OccupationalActivity')
OccupationalExperienceRequirements: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OccupationalExperienceRequirements')
OccupationalTherapy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OccupationalTherapy')
OceanBodyOfWater: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OceanBodyOfWater')
Offer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Offer')
OfferCatalog: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OfferCatalog')
OfferForLease: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OfferForLease')
OfferForPurchase: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OfferForPurchase')
OfferItemCondition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OfferItemCondition')
OfferShippingDetails: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OfferShippingDetails')
OfficeEquipmentStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OfficeEquipmentStore')
OfficialLegalValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OfficialLegalValue')
OfflineEventAttendanceMode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OfflineEventAttendanceMode')
OfflinePermanently: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OfflinePermanently')
OfflineTemporarily: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OfflineTemporarily')
OnDemandEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OnDemandEvent')
OnSitePickup: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OnSitePickup')
Oncologic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Oncologic')
OneTimePayments: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OneTimePayments')
Online: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Online')
OnlineEventAttendanceMode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OnlineEventAttendanceMode')
OnlineFull: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OnlineFull')
OnlineOnly: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OnlineOnly')
OpenTrial: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OpenTrial')
OpeningHoursSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OpeningHoursSpecification')
OpinionNewsArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OpinionNewsArticle')
Optician: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Optician')
Optometric: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Optometric')
Order: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Order')
OrderAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrderAction')
OrderCancelled: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrderCancelled')
OrderDelivered: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrderDelivered')
OrderInTransit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrderInTransit')
OrderItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrderItem')
OrderPaymentDue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrderPaymentDue')
OrderPickupAvailable: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrderPickupAvailable')
OrderProblem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrderProblem')
OrderProcessing: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrderProcessing')
OrderReturned: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrderReturned')
OrderStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrderStatus')
Organization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Organization')
OrganizationRole: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrganizationRole')
OrganizeAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OrganizeAction')
OriginalMediaContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OriginalMediaContent')
OriginalShippingFees: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OriginalShippingFees')
Osteopathic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Osteopathic')
Otolaryngologic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Otolaryngologic')
OutOfStock: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OutOfStock')
OutletStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OutletStore')
OverviewHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OverviewHealthAspect')
OwnershipInfo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/OwnershipInfo')
PET: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PET')
PaidLeave: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PaidLeave')
PaintAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PaintAction')
Painting: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Painting')
PalliativeProcedure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PalliativeProcedure')
Paperback: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Paperback')
ParcelDelivery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ParcelDelivery')
ParcelService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ParcelService')
ParentAudience: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ParentAudience')
ParentalSupport: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ParentalSupport')
Park: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Park')
ParkingFacility: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ParkingFacility')
ParkingMap: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ParkingMap')
PartiallyInForce: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PartiallyInForce')
Pathology: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Pathology')
PathologyTest: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PathologyTest')
Patient: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Patient')
PatientExperienceHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PatientExperienceHealthAspect')
PawnShop: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PawnShop')
PayAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PayAction')
PaymentAutomaticallyApplied: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PaymentAutomaticallyApplied')
PaymentCard: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PaymentCard')
PaymentChargeSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PaymentChargeSpecification')
PaymentComplete: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PaymentComplete')
PaymentDeclined: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PaymentDeclined')
PaymentDue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PaymentDue')
PaymentMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PaymentMethod')
PaymentPastDue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PaymentPastDue')
PaymentService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PaymentService')
PaymentStatusType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PaymentStatusType')
Pediatric: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Pediatric')
PeopleAudience: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PeopleAudience')
PercutaneousProcedure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PercutaneousProcedure')
PerformAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PerformAction')
PerformanceRole: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PerformanceRole')
PerformingArtsTheater: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PerformingArtsTheater')
PerformingGroup: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PerformingGroup')
Periodical: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Periodical')
Permit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Permit')
Person: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Person')
PetStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PetStore')
Pharmacy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Pharmacy')
PharmacySpecialty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PharmacySpecialty')
Photograph: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Photograph')
PhotographAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PhotographAction')
PhysicalActivity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PhysicalActivity')
PhysicalActivityCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PhysicalActivityCategory')
PhysicalExam: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PhysicalExam')
PhysicalTherapy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PhysicalTherapy')
Physician: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Physician')
Physiotherapy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Physiotherapy')
Place: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Place')
PlaceOfWorship: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PlaceOfWorship')
PlaceboControlledTrial: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PlaceboControlledTrial')
PlanAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PlanAction')
PlasticSurgery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PlasticSurgery')
Play: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Play')
PlayAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PlayAction')
Playground: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Playground')
Plumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Plumber')
PodcastEpisode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PodcastEpisode')
PodcastSeason: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PodcastSeason')
PodcastSeries: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PodcastSeries')
Podiatric: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Podiatric')
PoliceStation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PoliceStation')
Pond: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Pond')
PostOffice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PostOffice')
PostalAddress: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PostalAddress')
PostalCodeRangeSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PostalCodeRangeSpecification')
Poster: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Poster')
PotentialActionStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PotentialActionStatus')
PreOrder: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PreOrder')
PreOrderAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PreOrderAction')
PreSale: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PreSale')
PregnancyHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PregnancyHealthAspect')
PrependAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PrependAction')
Preschool: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Preschool')
PrescriptionOnly: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PrescriptionOnly')
PresentationDigitalDocument: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PresentationDigitalDocument')
PreventionHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PreventionHealthAspect')
PreventionIndication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PreventionIndication')
PriceComponentTypeEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PriceComponentTypeEnumeration')
PriceSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PriceSpecification')
PriceTypeEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PriceTypeEnumeration')
PrimaryCare: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PrimaryCare')
Prion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Prion')
Product: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Product')
ProductCollection: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ProductCollection')
ProductGroup: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ProductGroup')
ProductModel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ProductModel')
ProfessionalService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ProfessionalService')
ProfilePage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ProfilePage')
PrognosisHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PrognosisHealthAspect')
ProgramMembership: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ProgramMembership')
Project: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Project')
PronounceableText: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PronounceableText')
Property: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Property')
PropertyValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PropertyValue')
PropertyValueSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PropertyValueSpecification')
Protein: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Protein')
Protozoa: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Protozoa')
Psychiatric: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Psychiatric')
PsychologicalTreatment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PsychologicalTreatment')
PublicHealth: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PublicHealth')
PublicHolidays: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PublicHolidays')
PublicSwimmingPool: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PublicSwimmingPool')
PublicToilet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PublicToilet')
PublicationEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PublicationEvent')
PublicationIssue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PublicationIssue')
PublicationVolume: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/PublicationVolume')
Pulmonary: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Pulmonary')
QAPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/QAPage')
QualitativeValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/QualitativeValue')
QuantitativeValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/QuantitativeValue')
QuantitativeValueDistribution: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/QuantitativeValueDistribution')
Quantity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Quantity')
Question: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Question')
Quiz: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Quiz')
Quotation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Quotation')
QuoteAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/QuoteAction')
RVPark: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RVPark')
RadiationTherapy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RadiationTherapy')
RadioBroadcastService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RadioBroadcastService')
RadioChannel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RadioChannel')
RadioClip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RadioClip')
RadioEpisode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RadioEpisode')
RadioSeason: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RadioSeason')
RadioSeries: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RadioSeries')
RadioStation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RadioStation')
Radiography: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Radiography')
RandomizedTrial: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RandomizedTrial')
Rating: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Rating')
ReactAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReactAction')
ReadAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReadAction')
ReadPermission: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReadPermission')
RealEstateAgent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RealEstateAgent')
RealEstateListing: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RealEstateListing')
RearWheelDriveConfiguration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RearWheelDriveConfiguration')
ReceiveAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReceiveAction')
Recipe: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Recipe')
Recommendation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Recommendation')
RecommendedDoseSchedule: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RecommendedDoseSchedule')
Recruiting: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Recruiting')
RecyclingCenter: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RecyclingCenter')
RefundTypeEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RefundTypeEnumeration')
RefurbishedCondition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RefurbishedCondition')
RegisterAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RegisterAction')
Registry: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Registry')
ReimbursementCap: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReimbursementCap')
RejectAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RejectAction')
RelatedTopicsHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RelatedTopicsHealthAspect')
RemixAlbum: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RemixAlbum')
Renal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Renal')
RentAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RentAction')
RentalCarReservation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RentalCarReservation')
RentalVehicleUsage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RentalVehicleUsage')
RepaymentSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RepaymentSpecification')
ReplaceAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReplaceAction')
ReplyAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReplyAction')
Report: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Report')
ReportageNewsArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReportageNewsArticle')
ReportedDoseSchedule: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReportedDoseSchedule')
ResearchOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ResearchOrganization')
ResearchProject: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ResearchProject')
Researcher: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Researcher')
Reservation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Reservation')
ReservationCancelled: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReservationCancelled')
ReservationConfirmed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReservationConfirmed')
ReservationHold: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReservationHold')
ReservationPackage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReservationPackage')
ReservationPending: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReservationPending')
ReservationStatusType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReservationStatusType')
ReserveAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReserveAction')
Reservoir: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Reservoir')
Residence: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Residence')
Resort: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Resort')
RespiratoryTherapy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RespiratoryTherapy')
Restaurant: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Restaurant')
RestockingFees: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RestockingFees')
RestrictedDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RestrictedDiet')
ResultsAvailable: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ResultsAvailable')
ResultsNotAvailable: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ResultsNotAvailable')
ResumeAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ResumeAction')
Retail: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Retail')
ReturnAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReturnAction')
ReturnAtKiosk: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReturnAtKiosk')
ReturnByMail: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReturnByMail')
ReturnFeesCustomerResponsibility: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReturnFeesCustomerResponsibility')
ReturnFeesEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReturnFeesEnumeration')
ReturnInStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReturnInStore')
ReturnLabelCustomerResponsibility: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReturnLabelCustomerResponsibility')
ReturnLabelDownloadAndPrint: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReturnLabelDownloadAndPrint')
ReturnLabelInBox: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReturnLabelInBox')
ReturnLabelSourceEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReturnLabelSourceEnumeration')
ReturnMethodEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReturnMethodEnumeration')
ReturnShippingFees: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReturnShippingFees')
Review: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Review')
ReviewAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReviewAction')
ReviewNewsArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ReviewNewsArticle')
Rheumatologic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Rheumatologic')
RightHandDriving: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RightHandDriving')
RisksOrComplicationsHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RisksOrComplicationsHealthAspect')
RiverBodyOfWater: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RiverBodyOfWater')
Role: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Role')
RoofingContractor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RoofingContractor')
Room: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Room')
RsvpAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RsvpAction')
RsvpResponseMaybe: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RsvpResponseMaybe')
RsvpResponseNo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RsvpResponseNo')
RsvpResponseType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RsvpResponseType')
RsvpResponseYes: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/RsvpResponseYes')
SRP: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SRP')
SafetyHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SafetyHealthAspect')
SaleEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SaleEvent')
SalePrice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SalePrice')
SatireOrParodyContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SatireOrParodyContent')
SatiricalArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SatiricalArticle')
Saturday: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Saturday')
Schedule: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Schedule')
ScheduleAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ScheduleAction')
ScholarlyArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ScholarlyArticle')
School: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/School')
SchoolDistrict: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SchoolDistrict')
ScreeningEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ScreeningEvent')
ScreeningHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ScreeningHealthAspect')
Sculpture: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Sculpture')
SeaBodyOfWater: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SeaBodyOfWater')
SearchAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SearchAction')
SearchResultsPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SearchResultsPage')
Season: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Season')
Seat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Seat')
SeatingMap: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SeatingMap')
SeeDoctorHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SeeDoctorHealthAspect')
SeekToAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SeekToAction')
SelfCareHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SelfCareHealthAspect')
SelfStorage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SelfStorage')
SellAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SellAction')
SendAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SendAction')
Series: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Series')
Service: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Service')
ServiceChannel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ServiceChannel')
ShareAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ShareAction')
SheetMusic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SheetMusic')
ShippingDeliveryTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ShippingDeliveryTime')
ShippingRateSettings: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ShippingRateSettings')
ShoeStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ShoeStore')
ShoppingCenter: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ShoppingCenter')
ShortStory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ShortStory')
SideEffectsHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SideEffectsHealthAspect')
SingleBlindedTrial: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SingleBlindedTrial')
SingleCenterTrial: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SingleCenterTrial')
SingleFamilyResidence: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SingleFamilyResidence')
SinglePlayer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SinglePlayer')
SingleRelease: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SingleRelease')
SiteNavigationElement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SiteNavigationElement')
SizeGroupEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SizeGroupEnumeration')
SizeSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SizeSpecification')
SizeSystemEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SizeSystemEnumeration')
SizeSystemImperial: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SizeSystemImperial')
SizeSystemMetric: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SizeSystemMetric')
SkiResort: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SkiResort')
Skin: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Skin')
SocialEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SocialEvent')
SocialMediaPosting: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SocialMediaPosting')
SoftwareApplication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SoftwareApplication')
SoftwareSourceCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SoftwareSourceCode')
SoldOut: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SoldOut')
SolveMathAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SolveMathAction')
SomeProducts: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SomeProducts')
SoundtrackAlbum: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SoundtrackAlbum')
SpeakableSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SpeakableSpecification')
SpecialAnnouncement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SpecialAnnouncement')
Specialty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Specialty')
SpeechPathology: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SpeechPathology')
SpokenWordAlbum: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SpokenWordAlbum')
SportingGoodsStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SportingGoodsStore')
SportsActivityLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SportsActivityLocation')
SportsClub: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SportsClub')
SportsEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SportsEvent')
SportsOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SportsOrganization')
SportsTeam: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SportsTeam')
SpreadsheetDigitalDocument: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SpreadsheetDigitalDocument')
StadiumOrArena: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/StadiumOrArena')
StagedContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/StagedContent')
StagesHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/StagesHealthAspect')
State: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/State')
Statement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Statement')
StatisticalPopulation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/StatisticalPopulation')
StatusEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/StatusEnumeration')
SteeringPositionValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SteeringPositionValue')
Store: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Store')
StoreCreditRefund: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/StoreCreditRefund')
StrengthTraining: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/StrengthTraining')
StructuredValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/StructuredValue')
StudioAlbum: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/StudioAlbum')
SubscribeAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SubscribeAction')
Subscription: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Subscription')
Substance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Substance')
SubwayStation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SubwayStation')
Suite: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Suite')
Sunday: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Sunday')
SuperficialAnatomy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SuperficialAnatomy')
Surgical: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Surgical')
SurgicalProcedure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SurgicalProcedure')
SuspendAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SuspendAction')
Suspended: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Suspended')
SymptomsHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/SymptomsHealthAspect')
Synagogue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Synagogue')
TVClip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TVClip')
TVEpisode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TVEpisode')
TVSeason: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TVSeason')
TVSeries: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TVSeries')
Table: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Table')
TakeAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TakeAction')
TattooParlor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TattooParlor')
Taxi: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Taxi')
TaxiReservation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TaxiReservation')
TaxiService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TaxiService')
TaxiStand: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TaxiStand')
TaxiVehicleUsage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TaxiVehicleUsage')
Taxon: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Taxon')
TechArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TechArticle')
TelevisionChannel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TelevisionChannel')
TelevisionStation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TelevisionStation')
TennisComplex: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TennisComplex')
Terminated: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Terminated')
Text: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Text')
TextDigitalDocument: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TextDigitalDocument')
TheaterEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TheaterEvent')
TheaterGroup: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TheaterGroup')
Therapeutic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Therapeutic')
TherapeuticProcedure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TherapeuticProcedure')
Thesis: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Thesis')
Thing: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Thing')
Throat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Throat')
Thursday: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Thursday')
Ticket: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Ticket')
TieAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TieAction')
Time: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Time')
TipAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TipAction')
TireShop: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TireShop')
TollFree: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TollFree')
TouristAttraction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TouristAttraction')
TouristDestination: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TouristDestination')
TouristInformationCenter: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TouristInformationCenter')
TouristTrip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TouristTrip')
Toxicologic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Toxicologic')
ToyStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ToyStore')
TrackAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TrackAction')
TradeAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TradeAction')
TraditionalChinese: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TraditionalChinese')
TrainReservation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TrainReservation')
TrainStation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TrainStation')
TrainTrip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TrainTrip')
TransferAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TransferAction')
TransformedContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TransformedContent')
TransitMap: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TransitMap')
TravelAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TravelAction')
TravelAgency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TravelAgency')
TreatmentIndication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TreatmentIndication')
TreatmentsHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TreatmentsHealthAspect')
Trip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Trip')
TripleBlindedTrial: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TripleBlindedTrial')
Tuesday: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Tuesday')
TypeAndQuantityNode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TypeAndQuantityNode')
TypesHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/TypesHealthAspect')
UKNonprofitType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UKNonprofitType')
UKTrust: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UKTrust')
URL: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/URL')
USNonprofitType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/USNonprofitType')
Ultrasound: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Ultrasound')
UnRegisterAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UnRegisterAction')
UnemploymentSupport: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UnemploymentSupport')
UnincorporatedAssociationCharity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UnincorporatedAssociationCharity')
UnitPriceSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UnitPriceSpecification')
UnofficialLegalValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UnofficialLegalValue')
UpdateAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UpdateAction')
Urologic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Urologic')
UsageOrScheduleHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UsageOrScheduleHealthAspect')
UseAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UseAction')
UsedCondition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UsedCondition')
UserBlocks: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UserBlocks')
UserCheckins: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UserCheckins')
UserComments: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UserComments')
UserDownloads: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UserDownloads')
UserInteraction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UserInteraction')
UserLikes: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UserLikes')
UserPageVisits: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UserPageVisits')
UserPlays: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UserPlays')
UserPlusOnes: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UserPlusOnes')
UserReview: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UserReview')
UserTweets: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/UserTweets')
VeganDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VeganDiet')
VegetarianDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VegetarianDiet')
Vehicle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Vehicle')
Vein: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Vein')
VenueMap: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VenueMap')
Vessel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Vessel')
VeterinaryCare: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VeterinaryCare')
VideoGallery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VideoGallery')
VideoGame: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VideoGame')
VideoGameClip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VideoGameClip')
VideoGameSeries: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VideoGameSeries')
VideoObject: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VideoObject')
VideoObjectSnapshot: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VideoObjectSnapshot')
ViewAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ViewAction')
VinylFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VinylFormat')
VirtualLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VirtualLocation')
Virus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Virus')
VisualArtsEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VisualArtsEvent')
VisualArtwork: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VisualArtwork')
VitalSign: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VitalSign')
Volcano: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Volcano')
VoteAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/VoteAction')
WPAdBlock: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WPAdBlock')
WPFooter: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WPFooter')
WPHeader: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WPHeader')
WPSideBar: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WPSideBar')
WantAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WantAction')
WarrantyPromise: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WarrantyPromise')
WarrantyScope: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WarrantyScope')
WatchAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WatchAction')
Waterfall: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Waterfall')
WearAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearAction')
WearableMeasurementBack: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementBack')
WearableMeasurementChestOrBust: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementChestOrBust')
WearableMeasurementCollar: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementCollar')
WearableMeasurementCup: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementCup')
WearableMeasurementHeight: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementHeight')
WearableMeasurementHips: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementHips')
WearableMeasurementInseam: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementInseam')
WearableMeasurementLength: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementLength')
WearableMeasurementOutsideLeg: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementOutsideLeg')
WearableMeasurementSleeve: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementSleeve')
WearableMeasurementTypeEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementTypeEnumeration')
WearableMeasurementWaist: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementWaist')
WearableMeasurementWidth: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableMeasurementWidth')
WearableSizeGroupBig: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupBig')
WearableSizeGroupBoys: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupBoys')
WearableSizeGroupEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupEnumeration')
WearableSizeGroupExtraShort: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupExtraShort')
WearableSizeGroupExtraTall: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupExtraTall')
WearableSizeGroupGirls: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupGirls')
WearableSizeGroupHusky: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupHusky')
WearableSizeGroupInfants: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupInfants')
WearableSizeGroupJuniors: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupJuniors')
WearableSizeGroupMaternity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupMaternity')
WearableSizeGroupMens: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupMens')
WearableSizeGroupMisses: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupMisses')
WearableSizeGroupPetite: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupPetite')
WearableSizeGroupPlus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupPlus')
WearableSizeGroupRegular: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupRegular')
WearableSizeGroupShort: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupShort')
WearableSizeGroupTall: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupTall')
WearableSizeGroupWomens: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeGroupWomens')
WearableSizeSystemAU: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemAU')
WearableSizeSystemBR: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemBR')
WearableSizeSystemCN: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemCN')
WearableSizeSystemContinental: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemContinental')
WearableSizeSystemDE: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemDE')
WearableSizeSystemEN13402: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemEN13402')
WearableSizeSystemEnumeration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemEnumeration')
WearableSizeSystemEurope: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemEurope')
WearableSizeSystemFR: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemFR')
WearableSizeSystemGS1: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemGS1')
WearableSizeSystemIT: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemIT')
WearableSizeSystemJP: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemJP')
WearableSizeSystemMX: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemMX')
WearableSizeSystemUK: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemUK')
WearableSizeSystemUS: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WearableSizeSystemUS')
WebAPI: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WebAPI')
WebApplication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WebApplication')
WebContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WebContent')
WebPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WebPage')
WebPageElement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WebPageElement')
WebSite: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WebSite')
Wednesday: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Wednesday')
WesternConventional: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WesternConventional')
Wholesale: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Wholesale')
WholesaleStore: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WholesaleStore')
WinAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WinAction')
Winery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Winery')
Withdrawn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Withdrawn')
WorkBasedProgram: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WorkBasedProgram')
WorkersUnion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WorkersUnion')
WriteAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WriteAction')
WritePermission: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/WritePermission')
XPathType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/XPathType')
XRay: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/XRay')
ZoneBoardingPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ZoneBoardingPolicy')
Zoo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/Zoo')
__annotations__ = {'AMRadioChannel': <class 'rdflib.term.URIRef'>, 'APIReference': <class 'rdflib.term.URIRef'>, 'Abdomen': <class 'rdflib.term.URIRef'>, 'AboutPage': <class 'rdflib.term.URIRef'>, 'AcceptAction': <class 'rdflib.term.URIRef'>, 'Accommodation': <class 'rdflib.term.URIRef'>, 'AccountingService': <class 'rdflib.term.URIRef'>, 'AchieveAction': <class 'rdflib.term.URIRef'>, 'Action': <class 'rdflib.term.URIRef'>, 'ActionAccessSpecification': <class 'rdflib.term.URIRef'>, 'ActionStatusType': <class 'rdflib.term.URIRef'>, 'ActivateAction': <class 'rdflib.term.URIRef'>, 'ActivationFee': <class 'rdflib.term.URIRef'>, 'ActiveActionStatus': <class 'rdflib.term.URIRef'>, 'ActiveNotRecruiting': <class 'rdflib.term.URIRef'>, 'AddAction': <class 'rdflib.term.URIRef'>, 'AdministrativeArea': <class 'rdflib.term.URIRef'>, 'AdultEntertainment': <class 'rdflib.term.URIRef'>, 'AdvertiserContentArticle': <class 'rdflib.term.URIRef'>, 'AerobicActivity': <class 'rdflib.term.URIRef'>, 'AggregateOffer': <class 'rdflib.term.URIRef'>, 'AggregateRating': <class 'rdflib.term.URIRef'>, 'AgreeAction': <class 'rdflib.term.URIRef'>, 'Airline': <class 'rdflib.term.URIRef'>, 'Airport': <class 'rdflib.term.URIRef'>, 'AlbumRelease': <class 'rdflib.term.URIRef'>, 'AlignmentObject': <class 'rdflib.term.URIRef'>, 'AllWheelDriveConfiguration': <class 'rdflib.term.URIRef'>, 'AllergiesHealthAspect': <class 'rdflib.term.URIRef'>, 'AllocateAction': <class 'rdflib.term.URIRef'>, 'AmpStory': <class 'rdflib.term.URIRef'>, 'AmusementPark': <class 'rdflib.term.URIRef'>, 'AnaerobicActivity': <class 'rdflib.term.URIRef'>, 'AnalysisNewsArticle': <class 'rdflib.term.URIRef'>, 'AnatomicalStructure': <class 'rdflib.term.URIRef'>, 'AnatomicalSystem': <class 'rdflib.term.URIRef'>, 'Anesthesia': <class 'rdflib.term.URIRef'>, 'AnimalShelter': <class 'rdflib.term.URIRef'>, 'Answer': <class 'rdflib.term.URIRef'>, 'Apartment': <class 'rdflib.term.URIRef'>, 'ApartmentComplex': <class 'rdflib.term.URIRef'>, 'Appearance': <class 'rdflib.term.URIRef'>, 'AppendAction': <class 'rdflib.term.URIRef'>, 'ApplyAction': <class 'rdflib.term.URIRef'>, 'ApprovedIndication': <class 'rdflib.term.URIRef'>, 'Aquarium': <class 'rdflib.term.URIRef'>, 'ArchiveComponent': <class 'rdflib.term.URIRef'>, 'ArchiveOrganization': <class 'rdflib.term.URIRef'>, 'ArriveAction': <class 'rdflib.term.URIRef'>, 'ArtGallery': <class 'rdflib.term.URIRef'>, 'Artery': <class 'rdflib.term.URIRef'>, 'Article': <class 'rdflib.term.URIRef'>, 'AskAction': <class 'rdflib.term.URIRef'>, 'AskPublicNewsArticle': <class 'rdflib.term.URIRef'>, 'AssessAction': <class 'rdflib.term.URIRef'>, 'AssignAction': <class 'rdflib.term.URIRef'>, 'Atlas': <class 'rdflib.term.URIRef'>, 'Attorney': <class 'rdflib.term.URIRef'>, 'Audience': <class 'rdflib.term.URIRef'>, 'AudioObject': <class 'rdflib.term.URIRef'>, 'AudioObjectSnapshot': <class 'rdflib.term.URIRef'>, 'Audiobook': <class 'rdflib.term.URIRef'>, 'AudiobookFormat': <class 'rdflib.term.URIRef'>, 'AuthoritativeLegalValue': <class 'rdflib.term.URIRef'>, 'AuthorizeAction': <class 'rdflib.term.URIRef'>, 'AutoBodyShop': <class 'rdflib.term.URIRef'>, 'AutoDealer': <class 'rdflib.term.URIRef'>, 'AutoPartsStore': <class 'rdflib.term.URIRef'>, 'AutoRental': <class 'rdflib.term.URIRef'>, 'AutoRepair': <class 'rdflib.term.URIRef'>, 'AutoWash': <class 'rdflib.term.URIRef'>, 'AutomatedTeller': <class 'rdflib.term.URIRef'>, 'AutomotiveBusiness': <class 'rdflib.term.URIRef'>, 'Ayurvedic': <class 'rdflib.term.URIRef'>, 'BackOrder': <class 'rdflib.term.URIRef'>, 'BackgroundNewsArticle': <class 'rdflib.term.URIRef'>, 'Bacteria': <class 'rdflib.term.URIRef'>, 'Bakery': <class 'rdflib.term.URIRef'>, 'Balance': <class 'rdflib.term.URIRef'>, 'BankAccount': <class 'rdflib.term.URIRef'>, 'BankOrCreditUnion': <class 'rdflib.term.URIRef'>, 'BarOrPub': <class 'rdflib.term.URIRef'>, 'Barcode': <class 'rdflib.term.URIRef'>, 'BasicIncome': <class 'rdflib.term.URIRef'>, 'Beach': <class 'rdflib.term.URIRef'>, 'BeautySalon': <class 'rdflib.term.URIRef'>, 'BedAndBreakfast': <class 'rdflib.term.URIRef'>, 'BedDetails': <class 'rdflib.term.URIRef'>, 'BedType': <class 'rdflib.term.URIRef'>, 'BefriendAction': <class 'rdflib.term.URIRef'>, 'BenefitsHealthAspect': <class 'rdflib.term.URIRef'>, 'BikeStore': <class 'rdflib.term.URIRef'>, 'BioChemEntity': <class 'rdflib.term.URIRef'>, 'Blog': <class 'rdflib.term.URIRef'>, 'BlogPosting': <class 'rdflib.term.URIRef'>, 'BloodTest': <class 'rdflib.term.URIRef'>, 'BoardingPolicyType': <class 'rdflib.term.URIRef'>, 'BoatReservation': <class 'rdflib.term.URIRef'>, 'BoatTerminal': <class 'rdflib.term.URIRef'>, 'BoatTrip': <class 'rdflib.term.URIRef'>, 'BodyMeasurementArm': <class 'rdflib.term.URIRef'>, 'BodyMeasurementBust': <class 'rdflib.term.URIRef'>, 'BodyMeasurementChest': <class 'rdflib.term.URIRef'>, 'BodyMeasurementFoot': <class 'rdflib.term.URIRef'>, 'BodyMeasurementHand': <class 'rdflib.term.URIRef'>, 'BodyMeasurementHead': <class 'rdflib.term.URIRef'>, 'BodyMeasurementHeight': <class 'rdflib.term.URIRef'>, 'BodyMeasurementHips': <class 'rdflib.term.URIRef'>, 'BodyMeasurementInsideLeg': <class 'rdflib.term.URIRef'>, 'BodyMeasurementNeck': <class 'rdflib.term.URIRef'>, 'BodyMeasurementTypeEnumeration': <class 'rdflib.term.URIRef'>, 'BodyMeasurementUnderbust': <class 'rdflib.term.URIRef'>, 'BodyMeasurementWaist': <class 'rdflib.term.URIRef'>, 'BodyMeasurementWeight': <class 'rdflib.term.URIRef'>, 'BodyOfWater': <class 'rdflib.term.URIRef'>, 'Bone': <class 'rdflib.term.URIRef'>, 'Book': <class 'rdflib.term.URIRef'>, 'BookFormatType': <class 'rdflib.term.URIRef'>, 'BookSeries': <class 'rdflib.term.URIRef'>, 'BookStore': <class 'rdflib.term.URIRef'>, 'BookmarkAction': <class 'rdflib.term.URIRef'>, 'Boolean': <class 'rdflib.term.URIRef'>, 'BorrowAction': <class 'rdflib.term.URIRef'>, 'BowlingAlley': <class 'rdflib.term.URIRef'>, 'BrainStructure': <class 'rdflib.term.URIRef'>, 'Brand': <class 'rdflib.term.URIRef'>, 'BreadcrumbList': <class 'rdflib.term.URIRef'>, 'Brewery': <class 'rdflib.term.URIRef'>, 'Bridge': <class 'rdflib.term.URIRef'>, 'BroadcastChannel': <class 'rdflib.term.URIRef'>, 'BroadcastEvent': <class 'rdflib.term.URIRef'>, 'BroadcastFrequencySpecification': <class 'rdflib.term.URIRef'>, 'BroadcastRelease': <class 'rdflib.term.URIRef'>, 'BroadcastService': <class 'rdflib.term.URIRef'>, 'BrokerageAccount': <class 'rdflib.term.URIRef'>, 'BuddhistTemple': <class 'rdflib.term.URIRef'>, 'BusOrCoach': <class 'rdflib.term.URIRef'>, 'BusReservation': <class 'rdflib.term.URIRef'>, 'BusStation': <class 'rdflib.term.URIRef'>, 'BusStop': <class 'rdflib.term.URIRef'>, 'BusTrip': <class 'rdflib.term.URIRef'>, 'BusinessAudience': <class 'rdflib.term.URIRef'>, 'BusinessEntityType': <class 'rdflib.term.URIRef'>, 'BusinessEvent': <class 'rdflib.term.URIRef'>, 'BusinessFunction': <class 'rdflib.term.URIRef'>, 'BusinessSupport': <class 'rdflib.term.URIRef'>, 'BuyAction': <class 'rdflib.term.URIRef'>, 'CDCPMDRecord': <class 'rdflib.term.URIRef'>, 'CDFormat': <class 'rdflib.term.URIRef'>, 'CT': <class 'rdflib.term.URIRef'>, 'CableOrSatelliteService': <class 'rdflib.term.URIRef'>, 'CafeOrCoffeeShop': <class 'rdflib.term.URIRef'>, 'Campground': <class 'rdflib.term.URIRef'>, 'CampingPitch': <class 'rdflib.term.URIRef'>, 'Canal': <class 'rdflib.term.URIRef'>, 'CancelAction': <class 'rdflib.term.URIRef'>, 'Car': <class 'rdflib.term.URIRef'>, 'CarUsageType': <class 'rdflib.term.URIRef'>, 'Cardiovascular': <class 'rdflib.term.URIRef'>, 'CardiovascularExam': <class 'rdflib.term.URIRef'>, 'CaseSeries': <class 'rdflib.term.URIRef'>, 'Casino': <class 'rdflib.term.URIRef'>, 'CassetteFormat': <class 'rdflib.term.URIRef'>, 'CategoryCode': <class 'rdflib.term.URIRef'>, 'CategoryCodeSet': <class 'rdflib.term.URIRef'>, 'CatholicChurch': <class 'rdflib.term.URIRef'>, 'CausesHealthAspect': <class 'rdflib.term.URIRef'>, 'Cemetery': <class 'rdflib.term.URIRef'>, 'Chapter': <class 'rdflib.term.URIRef'>, 'CharitableIncorporatedOrganization': <class 'rdflib.term.URIRef'>, 'CheckAction': <class 'rdflib.term.URIRef'>, 'CheckInAction': <class 'rdflib.term.URIRef'>, 'CheckOutAction': <class 'rdflib.term.URIRef'>, 'CheckoutPage': <class 'rdflib.term.URIRef'>, 'ChemicalSubstance': <class 'rdflib.term.URIRef'>, 'ChildCare': <class 'rdflib.term.URIRef'>, 'ChildrensEvent': <class 'rdflib.term.URIRef'>, 'Chiropractic': <class 'rdflib.term.URIRef'>, 'ChooseAction': <class 'rdflib.term.URIRef'>, 'Church': <class 'rdflib.term.URIRef'>, 'City': <class 'rdflib.term.URIRef'>, 'CityHall': <class 'rdflib.term.URIRef'>, 'CivicStructure': <class 'rdflib.term.URIRef'>, 'Claim': <class 'rdflib.term.URIRef'>, 'ClaimReview': <class 'rdflib.term.URIRef'>, 'Class': <class 'rdflib.term.URIRef'>, 'CleaningFee': <class 'rdflib.term.URIRef'>, 'Clinician': <class 'rdflib.term.URIRef'>, 'Clip': <class 'rdflib.term.URIRef'>, 'ClothingStore': <class 'rdflib.term.URIRef'>, 'CoOp': <class 'rdflib.term.URIRef'>, 'Code': <class 'rdflib.term.URIRef'>, 'CohortStudy': <class 'rdflib.term.URIRef'>, 'Collection': <class 'rdflib.term.URIRef'>, 'CollectionPage': <class 'rdflib.term.URIRef'>, 'CollegeOrUniversity': <class 'rdflib.term.URIRef'>, 'ComedyClub': <class 'rdflib.term.URIRef'>, 'ComedyEvent': <class 'rdflib.term.URIRef'>, 'ComicCoverArt': <class 'rdflib.term.URIRef'>, 'ComicIssue': <class 'rdflib.term.URIRef'>, 'ComicSeries': <class 'rdflib.term.URIRef'>, 'ComicStory': <class 'rdflib.term.URIRef'>, 'Comment': <class 'rdflib.term.URIRef'>, 'CommentAction': <class 'rdflib.term.URIRef'>, 'CommentPermission': <class 'rdflib.term.URIRef'>, 'CommunicateAction': <class 'rdflib.term.URIRef'>, 'CommunityHealth': <class 'rdflib.term.URIRef'>, 'CompilationAlbum': <class 'rdflib.term.URIRef'>, 'CompleteDataFeed': <class 'rdflib.term.URIRef'>, 'Completed': <class 'rdflib.term.URIRef'>, 'CompletedActionStatus': <class 'rdflib.term.URIRef'>, 'CompoundPriceSpecification': <class 'rdflib.term.URIRef'>, 'ComputerLanguage': <class 'rdflib.term.URIRef'>, 'ComputerStore': <class 'rdflib.term.URIRef'>, 'ConfirmAction': <class 'rdflib.term.URIRef'>, 'Consortium': <class 'rdflib.term.URIRef'>, 'ConsumeAction': <class 'rdflib.term.URIRef'>, 'ContactPage': <class 'rdflib.term.URIRef'>, 'ContactPoint': <class 'rdflib.term.URIRef'>, 'ContactPointOption': <class 'rdflib.term.URIRef'>, 'ContagiousnessHealthAspect': <class 'rdflib.term.URIRef'>, 'Continent': <class 'rdflib.term.URIRef'>, 'ControlAction': <class 'rdflib.term.URIRef'>, 'ConvenienceStore': <class 'rdflib.term.URIRef'>, 'Conversation': <class 'rdflib.term.URIRef'>, 'CookAction': <class 'rdflib.term.URIRef'>, 'Corporation': <class 'rdflib.term.URIRef'>, 'CorrectionComment': <class 'rdflib.term.URIRef'>, 'Country': <class 'rdflib.term.URIRef'>, 'Course': <class 'rdflib.term.URIRef'>, 'CourseInstance': <class 'rdflib.term.URIRef'>, 'Courthouse': <class 'rdflib.term.URIRef'>, 'CoverArt': <class 'rdflib.term.URIRef'>, 'CovidTestingFacility': <class 'rdflib.term.URIRef'>, 'CreateAction': <class 'rdflib.term.URIRef'>, 'CreativeWork': <class 'rdflib.term.URIRef'>, 'CreativeWorkSeason': <class 'rdflib.term.URIRef'>, 'CreativeWorkSeries': <class 'rdflib.term.URIRef'>, 'CreditCard': <class 'rdflib.term.URIRef'>, 'Crematorium': <class 'rdflib.term.URIRef'>, 'CriticReview': <class 'rdflib.term.URIRef'>, 'CrossSectional': <class 'rdflib.term.URIRef'>, 'CssSelectorType': <class 'rdflib.term.URIRef'>, 'CurrencyConversionService': <class 'rdflib.term.URIRef'>, 'DDxElement': <class 'rdflib.term.URIRef'>, 'DJMixAlbum': <class 'rdflib.term.URIRef'>, 'DVDFormat': <class 'rdflib.term.URIRef'>, 'DamagedCondition': <class 'rdflib.term.URIRef'>, 'DanceEvent': <class 'rdflib.term.URIRef'>, 'DanceGroup': <class 'rdflib.term.URIRef'>, 'DataCatalog': <class 'rdflib.term.URIRef'>, 'DataDownload': <class 'rdflib.term.URIRef'>, 'DataFeed': <class 'rdflib.term.URIRef'>, 'DataFeedItem': <class 'rdflib.term.URIRef'>, 'DataType': <class 'rdflib.term.URIRef'>, 'Dataset': <class 'rdflib.term.URIRef'>, 'Date': <class 'rdflib.term.URIRef'>, 'DateTime': <class 'rdflib.term.URIRef'>, 'DatedMoneySpecification': <class 'rdflib.term.URIRef'>, 'DayOfWeek': <class 'rdflib.term.URIRef'>, 'DaySpa': <class 'rdflib.term.URIRef'>, 'DeactivateAction': <class 'rdflib.term.URIRef'>, 'DecontextualizedContent': <class 'rdflib.term.URIRef'>, 'DefenceEstablishment': <class 'rdflib.term.URIRef'>, 'DefinedRegion': <class 'rdflib.term.URIRef'>, 'DefinedTerm': <class 'rdflib.term.URIRef'>, 'DefinedTermSet': <class 'rdflib.term.URIRef'>, 'DefinitiveLegalValue': <class 'rdflib.term.URIRef'>, 'DeleteAction': <class 'rdflib.term.URIRef'>, 'DeliveryChargeSpecification': <class 'rdflib.term.URIRef'>, 'DeliveryEvent': <class 'rdflib.term.URIRef'>, 'DeliveryMethod': <class 'rdflib.term.URIRef'>, 'DeliveryTimeSettings': <class 'rdflib.term.URIRef'>, 'Demand': <class 'rdflib.term.URIRef'>, 'DemoAlbum': <class 'rdflib.term.URIRef'>, 'Dentist': <class 'rdflib.term.URIRef'>, 'Dentistry': <class 'rdflib.term.URIRef'>, 'DepartAction': <class 'rdflib.term.URIRef'>, 'DepartmentStore': <class 'rdflib.term.URIRef'>, 'DepositAccount': <class 'rdflib.term.URIRef'>, 'Dermatologic': <class 'rdflib.term.URIRef'>, 'Dermatology': <class 'rdflib.term.URIRef'>, 'DiabeticDiet': <class 'rdflib.term.URIRef'>, 'Diagnostic': <class 'rdflib.term.URIRef'>, 'DiagnosticLab': <class 'rdflib.term.URIRef'>, 'DiagnosticProcedure': <class 'rdflib.term.URIRef'>, 'Diet': <class 'rdflib.term.URIRef'>, 'DietNutrition': <class 'rdflib.term.URIRef'>, 'DietarySupplement': <class 'rdflib.term.URIRef'>, 'DigitalAudioTapeFormat': <class 'rdflib.term.URIRef'>, 'DigitalDocument': <class 'rdflib.term.URIRef'>, 'DigitalDocumentPermission': <class 'rdflib.term.URIRef'>, 'DigitalDocumentPermissionType': <class 'rdflib.term.URIRef'>, 'DigitalFormat': <class 'rdflib.term.URIRef'>, 'DisabilitySupport': <class 'rdflib.term.URIRef'>, 'DisagreeAction': <class 'rdflib.term.URIRef'>, 'Discontinued': <class 'rdflib.term.URIRef'>, 'DiscoverAction': <class 'rdflib.term.URIRef'>, 'DiscussionForumPosting': <class 'rdflib.term.URIRef'>, 'DislikeAction': <class 'rdflib.term.URIRef'>, 'Distance': <class 'rdflib.term.URIRef'>, 'DistanceFee': <class 'rdflib.term.URIRef'>, 'Distillery': <class 'rdflib.term.URIRef'>, 'DonateAction': <class 'rdflib.term.URIRef'>, 'DoseSchedule': <class 'rdflib.term.URIRef'>, 'DoubleBlindedTrial': <class 'rdflib.term.URIRef'>, 'DownloadAction': <class 'rdflib.term.URIRef'>, 'Downpayment': <class 'rdflib.term.URIRef'>, 'DrawAction': <class 'rdflib.term.URIRef'>, 'Drawing': <class 'rdflib.term.URIRef'>, 'DrinkAction': <class 'rdflib.term.URIRef'>, 'DriveWheelConfigurationValue': <class 'rdflib.term.URIRef'>, 'DrivingSchoolVehicleUsage': <class 'rdflib.term.URIRef'>, 'Drug': <class 'rdflib.term.URIRef'>, 'DrugClass': <class 'rdflib.term.URIRef'>, 'DrugCost': <class 'rdflib.term.URIRef'>, 'DrugCostCategory': <class 'rdflib.term.URIRef'>, 'DrugLegalStatus': <class 'rdflib.term.URIRef'>, 'DrugPregnancyCategory': <class 'rdflib.term.URIRef'>, 'DrugPrescriptionStatus': <class 'rdflib.term.URIRef'>, 'DrugStrength': <class 'rdflib.term.URIRef'>, 'DryCleaningOrLaundry': <class 'rdflib.term.URIRef'>, 'Duration': <class 'rdflib.term.URIRef'>, 'EBook': <class 'rdflib.term.URIRef'>, 'EPRelease': <class 'rdflib.term.URIRef'>, 'EUEnergyEfficiencyCategoryA': <class 'rdflib.term.URIRef'>, 'EUEnergyEfficiencyCategoryA1Plus': <class 'rdflib.term.URIRef'>, 'EUEnergyEfficiencyCategoryA2Plus': <class 'rdflib.term.URIRef'>, 'EUEnergyEfficiencyCategoryA3Plus': <class 'rdflib.term.URIRef'>, 'EUEnergyEfficiencyCategoryB': <class 'rdflib.term.URIRef'>, 'EUEnergyEfficiencyCategoryC': <class 'rdflib.term.URIRef'>, 'EUEnergyEfficiencyCategoryD': <class 'rdflib.term.URIRef'>, 'EUEnergyEfficiencyCategoryE': <class 'rdflib.term.URIRef'>, 'EUEnergyEfficiencyCategoryF': <class 'rdflib.term.URIRef'>, 'EUEnergyEfficiencyCategoryG': <class 'rdflib.term.URIRef'>, 'EUEnergyEfficiencyEnumeration': <class 'rdflib.term.URIRef'>, 'Ear': <class 'rdflib.term.URIRef'>, 'EatAction': <class 'rdflib.term.URIRef'>, 'EditedOrCroppedContent': <class 'rdflib.term.URIRef'>, 'EducationEvent': <class 'rdflib.term.URIRef'>, 'EducationalAudience': <class 'rdflib.term.URIRef'>, 'EducationalOccupationalCredential': <class 'rdflib.term.URIRef'>, 'EducationalOccupationalProgram': <class 'rdflib.term.URIRef'>, 'EducationalOrganization': <class 'rdflib.term.URIRef'>, 'EffectivenessHealthAspect': <class 'rdflib.term.URIRef'>, 'Electrician': <class 'rdflib.term.URIRef'>, 'ElectronicsStore': <class 'rdflib.term.URIRef'>, 'ElementarySchool': <class 'rdflib.term.URIRef'>, 'EmailMessage': <class 'rdflib.term.URIRef'>, 'Embassy': <class 'rdflib.term.URIRef'>, 'Emergency': <class 'rdflib.term.URIRef'>, 'EmergencyService': <class 'rdflib.term.URIRef'>, 'EmployeeRole': <class 'rdflib.term.URIRef'>, 'EmployerAggregateRating': <class 'rdflib.term.URIRef'>, 'EmployerReview': <class 'rdflib.term.URIRef'>, 'EmploymentAgency': <class 'rdflib.term.URIRef'>, 'Endocrine': <class 'rdflib.term.URIRef'>, 'EndorseAction': <class 'rdflib.term.URIRef'>, 'EndorsementRating': <class 'rdflib.term.URIRef'>, 'Energy': <class 'rdflib.term.URIRef'>, 'EnergyConsumptionDetails': <class 'rdflib.term.URIRef'>, 'EnergyEfficiencyEnumeration': <class 'rdflib.term.URIRef'>, 'EnergyStarCertified': <class 'rdflib.term.URIRef'>, 'EnergyStarEnergyEfficiencyEnumeration': <class 'rdflib.term.URIRef'>, 'EngineSpecification': <class 'rdflib.term.URIRef'>, 'EnrollingByInvitation': <class 'rdflib.term.URIRef'>, 'EntertainmentBusiness': <class 'rdflib.term.URIRef'>, 'EntryPoint': <class 'rdflib.term.URIRef'>, 'Enumeration': <class 'rdflib.term.URIRef'>, 'Episode': <class 'rdflib.term.URIRef'>, 'Event': <class 'rdflib.term.URIRef'>, 'EventAttendanceModeEnumeration': <class 'rdflib.term.URIRef'>, 'EventCancelled': <class 'rdflib.term.URIRef'>, 'EventMovedOnline': <class 'rdflib.term.URIRef'>, 'EventPostponed': <class 'rdflib.term.URIRef'>, 'EventRescheduled': <class 'rdflib.term.URIRef'>, 'EventReservation': <class 'rdflib.term.URIRef'>, 'EventScheduled': <class 'rdflib.term.URIRef'>, 'EventSeries': <class 'rdflib.term.URIRef'>, 'EventStatusType': <class 'rdflib.term.URIRef'>, 'EventVenue': <class 'rdflib.term.URIRef'>, 'EvidenceLevelA': <class 'rdflib.term.URIRef'>, 'EvidenceLevelB': <class 'rdflib.term.URIRef'>, 'EvidenceLevelC': <class 'rdflib.term.URIRef'>, 'ExchangeRateSpecification': <class 'rdflib.term.URIRef'>, 'ExchangeRefund': <class 'rdflib.term.URIRef'>, 'ExerciseAction': <class 'rdflib.term.URIRef'>, 'ExerciseGym': <class 'rdflib.term.URIRef'>, 'ExercisePlan': <class 'rdflib.term.URIRef'>, 'ExhibitionEvent': <class 'rdflib.term.URIRef'>, 'Eye': <class 'rdflib.term.URIRef'>, 'FAQPage': <class 'rdflib.term.URIRef'>, 'FDAcategoryA': <class 'rdflib.term.URIRef'>, 'FDAcategoryB': <class 'rdflib.term.URIRef'>, 'FDAcategoryC': <class 'rdflib.term.URIRef'>, 'FDAcategoryD': <class 'rdflib.term.URIRef'>, 'FDAcategoryX': <class 'rdflib.term.URIRef'>, 'FDAnotEvaluated': <class 'rdflib.term.URIRef'>, 'FMRadioChannel': <class 'rdflib.term.URIRef'>, 'FailedActionStatus': <class 'rdflib.term.URIRef'>, 'FastFoodRestaurant': <class 'rdflib.term.URIRef'>, 'Female': <class 'rdflib.term.URIRef'>, 'Festival': <class 'rdflib.term.URIRef'>, 'FilmAction': <class 'rdflib.term.URIRef'>, 'FinancialProduct': <class 'rdflib.term.URIRef'>, 'FinancialService': <class 'rdflib.term.URIRef'>, 'FindAction': <class 'rdflib.term.URIRef'>, 'FireStation': <class 'rdflib.term.URIRef'>, 'Flexibility': <class 'rdflib.term.URIRef'>, 'Flight': <class 'rdflib.term.URIRef'>, 'FlightReservation': <class 'rdflib.term.URIRef'>, 'Float': <class 'rdflib.term.URIRef'>, 'FloorPlan': <class 'rdflib.term.URIRef'>, 'Florist': <class 'rdflib.term.URIRef'>, 'FollowAction': <class 'rdflib.term.URIRef'>, 'FoodEstablishment': <class 'rdflib.term.URIRef'>, 'FoodEstablishmentReservation': <class 'rdflib.term.URIRef'>, 'FoodEvent': <class 'rdflib.term.URIRef'>, 'FoodService': <class 'rdflib.term.URIRef'>, 'FourWheelDriveConfiguration': <class 'rdflib.term.URIRef'>, 'FreeReturn': <class 'rdflib.term.URIRef'>, 'Friday': <class 'rdflib.term.URIRef'>, 'FrontWheelDriveConfiguration': <class 'rdflib.term.URIRef'>, 'FullRefund': <class 'rdflib.term.URIRef'>, 'FundingAgency': <class 'rdflib.term.URIRef'>, 'FundingScheme': <class 'rdflib.term.URIRef'>, 'Fungus': <class 'rdflib.term.URIRef'>, 'FurnitureStore': <class 'rdflib.term.URIRef'>, 'Game': <class 'rdflib.term.URIRef'>, 'GamePlayMode': <class 'rdflib.term.URIRef'>, 'GameServer': <class 'rdflib.term.URIRef'>, 'GameServerStatus': <class 'rdflib.term.URIRef'>, 'GardenStore': <class 'rdflib.term.URIRef'>, 'GasStation': <class 'rdflib.term.URIRef'>, 'Gastroenterologic': <class 'rdflib.term.URIRef'>, 'GatedResidenceCommunity': <class 'rdflib.term.URIRef'>, 'GenderType': <class 'rdflib.term.URIRef'>, 'Gene': <class 'rdflib.term.URIRef'>, 'GeneralContractor': <class 'rdflib.term.URIRef'>, 'Genetic': <class 'rdflib.term.URIRef'>, 'Genitourinary': <class 'rdflib.term.URIRef'>, 'GeoCircle': <class 'rdflib.term.URIRef'>, 'GeoCoordinates': <class 'rdflib.term.URIRef'>, 'GeoShape': <class 'rdflib.term.URIRef'>, 'GeospatialGeometry': <class 'rdflib.term.URIRef'>, 'Geriatric': <class 'rdflib.term.URIRef'>, 'GettingAccessHealthAspect': <class 'rdflib.term.URIRef'>, 'GiveAction': <class 'rdflib.term.URIRef'>, 'GlutenFreeDiet': <class 'rdflib.term.URIRef'>, 'GolfCourse': <class 'rdflib.term.URIRef'>, 'GovernmentBenefitsType': <class 'rdflib.term.URIRef'>, 'GovernmentBuilding': <class 'rdflib.term.URIRef'>, 'GovernmentOffice': <class 'rdflib.term.URIRef'>, 'GovernmentOrganization': <class 'rdflib.term.URIRef'>, 'GovernmentPermit': <class 'rdflib.term.URIRef'>, 'GovernmentService': <class 'rdflib.term.URIRef'>, 'Grant': <class 'rdflib.term.URIRef'>, 'GraphicNovel': <class 'rdflib.term.URIRef'>, 'GroceryStore': <class 'rdflib.term.URIRef'>, 'GroupBoardingPolicy': <class 'rdflib.term.URIRef'>, 'Guide': <class 'rdflib.term.URIRef'>, 'Gynecologic': <class 'rdflib.term.URIRef'>, 'HVACBusiness': <class 'rdflib.term.URIRef'>, 'Hackathon': <class 'rdflib.term.URIRef'>, 'HairSalon': <class 'rdflib.term.URIRef'>, 'HalalDiet': <class 'rdflib.term.URIRef'>, 'Hardcover': <class 'rdflib.term.URIRef'>, 'HardwareStore': <class 'rdflib.term.URIRef'>, 'Head': <class 'rdflib.term.URIRef'>, 'HealthAndBeautyBusiness': <class 'rdflib.term.URIRef'>, 'HealthAspectEnumeration': <class 'rdflib.term.URIRef'>, 'HealthCare': <class 'rdflib.term.URIRef'>, 'HealthClub': <class 'rdflib.term.URIRef'>, 'HealthInsurancePlan': <class 'rdflib.term.URIRef'>, 'HealthPlanCostSharingSpecification': <class 'rdflib.term.URIRef'>, 'HealthPlanFormulary': <class 'rdflib.term.URIRef'>, 'HealthPlanNetwork': <class 'rdflib.term.URIRef'>, 'HealthTopicContent': <class 'rdflib.term.URIRef'>, 'HearingImpairedSupported': <class 'rdflib.term.URIRef'>, 'Hematologic': <class 'rdflib.term.URIRef'>, 'HighSchool': <class 'rdflib.term.URIRef'>, 'HinduDiet': <class 'rdflib.term.URIRef'>, 'HinduTemple': <class 'rdflib.term.URIRef'>, 'HobbyShop': <class 'rdflib.term.URIRef'>, 'HomeAndConstructionBusiness': <class 'rdflib.term.URIRef'>, 'HomeGoodsStore': <class 'rdflib.term.URIRef'>, 'Homeopathic': <class 'rdflib.term.URIRef'>, 'Hospital': <class 'rdflib.term.URIRef'>, 'Hostel': <class 'rdflib.term.URIRef'>, 'Hotel': <class 'rdflib.term.URIRef'>, 'HotelRoom': <class 'rdflib.term.URIRef'>, 'House': <class 'rdflib.term.URIRef'>, 'HousePainter': <class 'rdflib.term.URIRef'>, 'HowItWorksHealthAspect': <class 'rdflib.term.URIRef'>, 'HowOrWhereHealthAspect': <class 'rdflib.term.URIRef'>, 'HowTo': <class 'rdflib.term.URIRef'>, 'HowToDirection': <class 'rdflib.term.URIRef'>, 'HowToItem': <class 'rdflib.term.URIRef'>, 'HowToSection': <class 'rdflib.term.URIRef'>, 'HowToStep': <class 'rdflib.term.URIRef'>, 'HowToSupply': <class 'rdflib.term.URIRef'>, 'HowToTip': <class 'rdflib.term.URIRef'>, 'HowToTool': <class 'rdflib.term.URIRef'>, 'HyperToc': <class 'rdflib.term.URIRef'>, 'HyperTocEntry': <class 'rdflib.term.URIRef'>, 'IceCreamShop': <class 'rdflib.term.URIRef'>, 'IgnoreAction': <class 'rdflib.term.URIRef'>, 'ImageGallery': <class 'rdflib.term.URIRef'>, 'ImageObject': <class 'rdflib.term.URIRef'>, 'ImageObjectSnapshot': <class 'rdflib.term.URIRef'>, 'ImagingTest': <class 'rdflib.term.URIRef'>, 'InForce': <class 'rdflib.term.URIRef'>, 'InStock': <class 'rdflib.term.URIRef'>, 'InStoreOnly': <class 'rdflib.term.URIRef'>, 'IndividualProduct': <class 'rdflib.term.URIRef'>, 'Infectious': <class 'rdflib.term.URIRef'>, 'InfectiousAgentClass': <class 'rdflib.term.URIRef'>, 'InfectiousDisease': <class 'rdflib.term.URIRef'>, 'InformAction': <class 'rdflib.term.URIRef'>, 'IngredientsHealthAspect': <class 'rdflib.term.URIRef'>, 'InsertAction': <class 'rdflib.term.URIRef'>, 'InstallAction': <class 'rdflib.term.URIRef'>, 'Installment': <class 'rdflib.term.URIRef'>, 'InsuranceAgency': <class 'rdflib.term.URIRef'>, 'Intangible': <class 'rdflib.term.URIRef'>, 'Integer': <class 'rdflib.term.URIRef'>, 'InteractAction': <class 'rdflib.term.URIRef'>, 'InteractionCounter': <class 'rdflib.term.URIRef'>, 'InternationalTrial': <class 'rdflib.term.URIRef'>, 'InternetCafe': <class 'rdflib.term.URIRef'>, 'InvestmentFund': <class 'rdflib.term.URIRef'>, 'InvestmentOrDeposit': <class 'rdflib.term.URIRef'>, 'InviteAction': <class 'rdflib.term.URIRef'>, 'Invoice': <class 'rdflib.term.URIRef'>, 'InvoicePrice': <class 'rdflib.term.URIRef'>, 'ItemAvailability': <class 'rdflib.term.URIRef'>, 'ItemList': <class 'rdflib.term.URIRef'>, 'ItemListOrderAscending': <class 'rdflib.term.URIRef'>, 'ItemListOrderDescending': <class 'rdflib.term.URIRef'>, 'ItemListOrderType': <class 'rdflib.term.URIRef'>, 'ItemListUnordered': <class 'rdflib.term.URIRef'>, 'ItemPage': <class 'rdflib.term.URIRef'>, 'JewelryStore': <class 'rdflib.term.URIRef'>, 'JobPosting': <class 'rdflib.term.URIRef'>, 'JoinAction': <class 'rdflib.term.URIRef'>, 'Joint': <class 'rdflib.term.URIRef'>, 'KosherDiet': <class 'rdflib.term.URIRef'>, 'LaboratoryScience': <class 'rdflib.term.URIRef'>, 'LakeBodyOfWater': <class 'rdflib.term.URIRef'>, 'Landform': <class 'rdflib.term.URIRef'>, 'LandmarksOrHistoricalBuildings': <class 'rdflib.term.URIRef'>, 'Language': <class 'rdflib.term.URIRef'>, 'LaserDiscFormat': <class 'rdflib.term.URIRef'>, 'LearningResource': <class 'rdflib.term.URIRef'>, 'LeaveAction': <class 'rdflib.term.URIRef'>, 'LeftHandDriving': <class 'rdflib.term.URIRef'>, 'LegalForceStatus': <class 'rdflib.term.URIRef'>, 'LegalService': <class 'rdflib.term.URIRef'>, 'LegalValueLevel': <class 'rdflib.term.URIRef'>, 'Legislation': <class 'rdflib.term.URIRef'>, 'LegislationObject': <class 'rdflib.term.URIRef'>, 'LegislativeBuilding': <class 'rdflib.term.URIRef'>, 'LeisureTimeActivity': <class 'rdflib.term.URIRef'>, 'LendAction': <class 'rdflib.term.URIRef'>, 'Library': <class 'rdflib.term.URIRef'>, 'LibrarySystem': <class 'rdflib.term.URIRef'>, 'LifestyleModification': <class 'rdflib.term.URIRef'>, 'Ligament': <class 'rdflib.term.URIRef'>, 'LikeAction': <class 'rdflib.term.URIRef'>, 'LimitedAvailability': <class 'rdflib.term.URIRef'>, 'LimitedByGuaranteeCharity': <class 'rdflib.term.URIRef'>, 'LinkRole': <class 'rdflib.term.URIRef'>, 'LiquorStore': <class 'rdflib.term.URIRef'>, 'ListItem': <class 'rdflib.term.URIRef'>, 'ListPrice': <class 'rdflib.term.URIRef'>, 'ListenAction': <class 'rdflib.term.URIRef'>, 'LiteraryEvent': <class 'rdflib.term.URIRef'>, 'LiveAlbum': <class 'rdflib.term.URIRef'>, 'LiveBlogPosting': <class 'rdflib.term.URIRef'>, 'LivingWithHealthAspect': <class 'rdflib.term.URIRef'>, 'LoanOrCredit': <class 'rdflib.term.URIRef'>, 'LocalBusiness': <class 'rdflib.term.URIRef'>, 'LocationFeatureSpecification': <class 'rdflib.term.URIRef'>, 'LockerDelivery': <class 'rdflib.term.URIRef'>, 'Locksmith': <class 'rdflib.term.URIRef'>, 'LodgingBusiness': <class 'rdflib.term.URIRef'>, 'LodgingReservation': <class 'rdflib.term.URIRef'>, 'Longitudinal': <class 'rdflib.term.URIRef'>, 'LoseAction': <class 'rdflib.term.URIRef'>, 'LowCalorieDiet': <class 'rdflib.term.URIRef'>, 'LowFatDiet': <class 'rdflib.term.URIRef'>, 'LowLactoseDiet': <class 'rdflib.term.URIRef'>, 'LowSaltDiet': <class 'rdflib.term.URIRef'>, 'Lung': <class 'rdflib.term.URIRef'>, 'LymphaticVessel': <class 'rdflib.term.URIRef'>, 'MRI': <class 'rdflib.term.URIRef'>, 'MSRP': <class 'rdflib.term.URIRef'>, 'Male': <class 'rdflib.term.URIRef'>, 'Manuscript': <class 'rdflib.term.URIRef'>, 'Map': <class 'rdflib.term.URIRef'>, 'MapCategoryType': <class 'rdflib.term.URIRef'>, 'MarryAction': <class 'rdflib.term.URIRef'>, 'Mass': <class 'rdflib.term.URIRef'>, 'MathSolver': <class 'rdflib.term.URIRef'>, 'MaximumDoseSchedule': <class 'rdflib.term.URIRef'>, 'MayTreatHealthAspect': <class 'rdflib.term.URIRef'>, 'MeasurementTypeEnumeration': <class 'rdflib.term.URIRef'>, 'MediaGallery': <class 'rdflib.term.URIRef'>, 'MediaManipulationRatingEnumeration': <class 'rdflib.term.URIRef'>, 'MediaObject': <class 'rdflib.term.URIRef'>, 'MediaReview': <class 'rdflib.term.URIRef'>, 'MediaReviewItem': <class 'rdflib.term.URIRef'>, 'MediaSubscription': <class 'rdflib.term.URIRef'>, 'MedicalAudience': <class 'rdflib.term.URIRef'>, 'MedicalAudienceType': <class 'rdflib.term.URIRef'>, 'MedicalBusiness': <class 'rdflib.term.URIRef'>, 'MedicalCause': <class 'rdflib.term.URIRef'>, 'MedicalClinic': <class 'rdflib.term.URIRef'>, 'MedicalCode': <class 'rdflib.term.URIRef'>, 'MedicalCondition': <class 'rdflib.term.URIRef'>, 'MedicalConditionStage': <class 'rdflib.term.URIRef'>, 'MedicalContraindication': <class 'rdflib.term.URIRef'>, 'MedicalDevice': <class 'rdflib.term.URIRef'>, 'MedicalDevicePurpose': <class 'rdflib.term.URIRef'>, 'MedicalEntity': <class 'rdflib.term.URIRef'>, 'MedicalEnumeration': <class 'rdflib.term.URIRef'>, 'MedicalEvidenceLevel': <class 'rdflib.term.URIRef'>, 'MedicalGuideline': <class 'rdflib.term.URIRef'>, 'MedicalGuidelineContraindication': <class 'rdflib.term.URIRef'>, 'MedicalGuidelineRecommendation': <class 'rdflib.term.URIRef'>, 'MedicalImagingTechnique': <class 'rdflib.term.URIRef'>, 'MedicalIndication': <class 'rdflib.term.URIRef'>, 'MedicalIntangible': <class 'rdflib.term.URIRef'>, 'MedicalObservationalStudy': <class 'rdflib.term.URIRef'>, 'MedicalObservationalStudyDesign': <class 'rdflib.term.URIRef'>, 'MedicalOrganization': <class 'rdflib.term.URIRef'>, 'MedicalProcedure': <class 'rdflib.term.URIRef'>, 'MedicalProcedureType': <class 'rdflib.term.URIRef'>, 'MedicalResearcher': <class 'rdflib.term.URIRef'>, 'MedicalRiskCalculator': <class 'rdflib.term.URIRef'>, 'MedicalRiskEstimator': <class 'rdflib.term.URIRef'>, 'MedicalRiskFactor': <class 'rdflib.term.URIRef'>, 'MedicalRiskScore': <class 'rdflib.term.URIRef'>, 'MedicalScholarlyArticle': <class 'rdflib.term.URIRef'>, 'MedicalSign': <class 'rdflib.term.URIRef'>, 'MedicalSignOrSymptom': <class 'rdflib.term.URIRef'>, 'MedicalSpecialty': <class 'rdflib.term.URIRef'>, 'MedicalStudy': <class 'rdflib.term.URIRef'>, 'MedicalStudyStatus': <class 'rdflib.term.URIRef'>, 'MedicalSymptom': <class 'rdflib.term.URIRef'>, 'MedicalTest': <class 'rdflib.term.URIRef'>, 'MedicalTestPanel': <class 'rdflib.term.URIRef'>, 'MedicalTherapy': <class 'rdflib.term.URIRef'>, 'MedicalTrial': <class 'rdflib.term.URIRef'>, 'MedicalTrialDesign': <class 'rdflib.term.URIRef'>, 'MedicalWebPage': <class 'rdflib.term.URIRef'>, 'MedicineSystem': <class 'rdflib.term.URIRef'>, 'MeetingRoom': <class 'rdflib.term.URIRef'>, 'MensClothingStore': <class 'rdflib.term.URIRef'>, 'Menu': <class 'rdflib.term.URIRef'>, 'MenuItem': <class 'rdflib.term.URIRef'>, 'MenuSection': <class 'rdflib.term.URIRef'>, 'MerchantReturnEnumeration': <class 'rdflib.term.URIRef'>, 'MerchantReturnFiniteReturnWindow': <class 'rdflib.term.URIRef'>, 'MerchantReturnNotPermitted': <class 'rdflib.term.URIRef'>, 'MerchantReturnPolicy': <class 'rdflib.term.URIRef'>, 'MerchantReturnPolicySeasonalOverride': <class 'rdflib.term.URIRef'>, 'MerchantReturnUnlimitedWindow': <class 'rdflib.term.URIRef'>, 'MerchantReturnUnspecified': <class 'rdflib.term.URIRef'>, 'Message': <class 'rdflib.term.URIRef'>, 'MiddleSchool': <class 'rdflib.term.URIRef'>, 'Midwifery': <class 'rdflib.term.URIRef'>, 'MinimumAdvertisedPrice': <class 'rdflib.term.URIRef'>, 'MisconceptionsHealthAspect': <class 'rdflib.term.URIRef'>, 'MixedEventAttendanceMode': <class 'rdflib.term.URIRef'>, 'MixtapeAlbum': <class 'rdflib.term.URIRef'>, 'MobileApplication': <class 'rdflib.term.URIRef'>, 'MobilePhoneStore': <class 'rdflib.term.URIRef'>, 'MolecularEntity': <class 'rdflib.term.URIRef'>, 'Monday': <class 'rdflib.term.URIRef'>, 'MonetaryAmount': <class 'rdflib.term.URIRef'>, 'MonetaryAmountDistribution': <class 'rdflib.term.URIRef'>, 'MonetaryGrant': <class 'rdflib.term.URIRef'>, 'MoneyTransfer': <class 'rdflib.term.URIRef'>, 'MortgageLoan': <class 'rdflib.term.URIRef'>, 'Mosque': <class 'rdflib.term.URIRef'>, 'Motel': <class 'rdflib.term.URIRef'>, 'Motorcycle': <class 'rdflib.term.URIRef'>, 'MotorcycleDealer': <class 'rdflib.term.URIRef'>, 'MotorcycleRepair': <class 'rdflib.term.URIRef'>, 'MotorizedBicycle': <class 'rdflib.term.URIRef'>, 'Mountain': <class 'rdflib.term.URIRef'>, 'MoveAction': <class 'rdflib.term.URIRef'>, 'Movie': <class 'rdflib.term.URIRef'>, 'MovieClip': <class 'rdflib.term.URIRef'>, 'MovieRentalStore': <class 'rdflib.term.URIRef'>, 'MovieSeries': <class 'rdflib.term.URIRef'>, 'MovieTheater': <class 'rdflib.term.URIRef'>, 'MovingCompany': <class 'rdflib.term.URIRef'>, 'MultiCenterTrial': <class 'rdflib.term.URIRef'>, 'MultiPlayer': <class 'rdflib.term.URIRef'>, 'MulticellularParasite': <class 'rdflib.term.URIRef'>, 'Muscle': <class 'rdflib.term.URIRef'>, 'Musculoskeletal': <class 'rdflib.term.URIRef'>, 'MusculoskeletalExam': <class 'rdflib.term.URIRef'>, 'Museum': <class 'rdflib.term.URIRef'>, 'MusicAlbum': <class 'rdflib.term.URIRef'>, 'MusicAlbumProductionType': <class 'rdflib.term.URIRef'>, 'MusicAlbumReleaseType': <class 'rdflib.term.URIRef'>, 'MusicComposition': <class 'rdflib.term.URIRef'>, 'MusicEvent': <class 'rdflib.term.URIRef'>, 'MusicGroup': <class 'rdflib.term.URIRef'>, 'MusicPlaylist': <class 'rdflib.term.URIRef'>, 'MusicRecording': <class 'rdflib.term.URIRef'>, 'MusicRelease': <class 'rdflib.term.URIRef'>, 'MusicReleaseFormatType': <class 'rdflib.term.URIRef'>, 'MusicStore': <class 'rdflib.term.URIRef'>, 'MusicVenue': <class 'rdflib.term.URIRef'>, 'MusicVideoObject': <class 'rdflib.term.URIRef'>, 'NGO': <class 'rdflib.term.URIRef'>, 'NLNonprofitType': <class 'rdflib.term.URIRef'>, 'NailSalon': <class 'rdflib.term.URIRef'>, 'Neck': <class 'rdflib.term.URIRef'>, 'Nerve': <class 'rdflib.term.URIRef'>, 'Neuro': <class 'rdflib.term.URIRef'>, 'Neurologic': <class 'rdflib.term.URIRef'>, 'NewCondition': <class 'rdflib.term.URIRef'>, 'NewsArticle': <class 'rdflib.term.URIRef'>, 'NewsMediaOrganization': <class 'rdflib.term.URIRef'>, 'Newspaper': <class 'rdflib.term.URIRef'>, 'NightClub': <class 'rdflib.term.URIRef'>, 'NoninvasiveProcedure': <class 'rdflib.term.URIRef'>, 'Nonprofit501a': <class 'rdflib.term.URIRef'>, 'Nonprofit501c1': <class 'rdflib.term.URIRef'>, 'Nonprofit501c10': <class 'rdflib.term.URIRef'>, 'Nonprofit501c11': <class 'rdflib.term.URIRef'>, 'Nonprofit501c12': <class 'rdflib.term.URIRef'>, 'Nonprofit501c13': <class 'rdflib.term.URIRef'>, 'Nonprofit501c14': <class 'rdflib.term.URIRef'>, 'Nonprofit501c15': <class 'rdflib.term.URIRef'>, 'Nonprofit501c16': <class 'rdflib.term.URIRef'>, 'Nonprofit501c17': <class 'rdflib.term.URIRef'>, 'Nonprofit501c18': <class 'rdflib.term.URIRef'>, 'Nonprofit501c19': <class 'rdflib.term.URIRef'>, 'Nonprofit501c2': <class 'rdflib.term.URIRef'>, 'Nonprofit501c20': <class 'rdflib.term.URIRef'>, 'Nonprofit501c21': <class 'rdflib.term.URIRef'>, 'Nonprofit501c22': <class 'rdflib.term.URIRef'>, 'Nonprofit501c23': <class 'rdflib.term.URIRef'>, 'Nonprofit501c24': <class 'rdflib.term.URIRef'>, 'Nonprofit501c25': <class 'rdflib.term.URIRef'>, 'Nonprofit501c26': <class 'rdflib.term.URIRef'>, 'Nonprofit501c27': <class 'rdflib.term.URIRef'>, 'Nonprofit501c28': <class 'rdflib.term.URIRef'>, 'Nonprofit501c3': <class 'rdflib.term.URIRef'>, 'Nonprofit501c4': <class 'rdflib.term.URIRef'>, 'Nonprofit501c5': <class 'rdflib.term.URIRef'>, 'Nonprofit501c6': <class 'rdflib.term.URIRef'>, 'Nonprofit501c7': <class 'rdflib.term.URIRef'>, 'Nonprofit501c8': <class 'rdflib.term.URIRef'>, 'Nonprofit501c9': <class 'rdflib.term.URIRef'>, 'Nonprofit501d': <class 'rdflib.term.URIRef'>, 'Nonprofit501e': <class 'rdflib.term.URIRef'>, 'Nonprofit501f': <class 'rdflib.term.URIRef'>, 'Nonprofit501k': <class 'rdflib.term.URIRef'>, 'Nonprofit501n': <class 'rdflib.term.URIRef'>, 'Nonprofit501q': <class 'rdflib.term.URIRef'>, 'Nonprofit527': <class 'rdflib.term.URIRef'>, 'NonprofitANBI': <class 'rdflib.term.URIRef'>, 'NonprofitSBBI': <class 'rdflib.term.URIRef'>, 'NonprofitType': <class 'rdflib.term.URIRef'>, 'Nose': <class 'rdflib.term.URIRef'>, 'NotInForce': <class 'rdflib.term.URIRef'>, 'NotYetRecruiting': <class 'rdflib.term.URIRef'>, 'Notary': <class 'rdflib.term.URIRef'>, 'NoteDigitalDocument': <class 'rdflib.term.URIRef'>, 'Number': <class 'rdflib.term.URIRef'>, 'Nursing': <class 'rdflib.term.URIRef'>, 'NutritionInformation': <class 'rdflib.term.URIRef'>, 'OTC': <class 'rdflib.term.URIRef'>, 'Observation': <class 'rdflib.term.URIRef'>, 'Observational': <class 'rdflib.term.URIRef'>, 'Obstetric': <class 'rdflib.term.URIRef'>, 'Occupation': <class 'rdflib.term.URIRef'>, 'OccupationalActivity': <class 'rdflib.term.URIRef'>, 'OccupationalExperienceRequirements': <class 'rdflib.term.URIRef'>, 'OccupationalTherapy': <class 'rdflib.term.URIRef'>, 'OceanBodyOfWater': <class 'rdflib.term.URIRef'>, 'Offer': <class 'rdflib.term.URIRef'>, 'OfferCatalog': <class 'rdflib.term.URIRef'>, 'OfferForLease': <class 'rdflib.term.URIRef'>, 'OfferForPurchase': <class 'rdflib.term.URIRef'>, 'OfferItemCondition': <class 'rdflib.term.URIRef'>, 'OfferShippingDetails': <class 'rdflib.term.URIRef'>, 'OfficeEquipmentStore': <class 'rdflib.term.URIRef'>, 'OfficialLegalValue': <class 'rdflib.term.URIRef'>, 'OfflineEventAttendanceMode': <class 'rdflib.term.URIRef'>, 'OfflinePermanently': <class 'rdflib.term.URIRef'>, 'OfflineTemporarily': <class 'rdflib.term.URIRef'>, 'OnDemandEvent': <class 'rdflib.term.URIRef'>, 'OnSitePickup': <class 'rdflib.term.URIRef'>, 'Oncologic': <class 'rdflib.term.URIRef'>, 'OneTimePayments': <class 'rdflib.term.URIRef'>, 'Online': <class 'rdflib.term.URIRef'>, 'OnlineEventAttendanceMode': <class 'rdflib.term.URIRef'>, 'OnlineFull': <class 'rdflib.term.URIRef'>, 'OnlineOnly': <class 'rdflib.term.URIRef'>, 'OpenTrial': <class 'rdflib.term.URIRef'>, 'OpeningHoursSpecification': <class 'rdflib.term.URIRef'>, 'OpinionNewsArticle': <class 'rdflib.term.URIRef'>, 'Optician': <class 'rdflib.term.URIRef'>, 'Optometric': <class 'rdflib.term.URIRef'>, 'Order': <class 'rdflib.term.URIRef'>, 'OrderAction': <class 'rdflib.term.URIRef'>, 'OrderCancelled': <class 'rdflib.term.URIRef'>, 'OrderDelivered': <class 'rdflib.term.URIRef'>, 'OrderInTransit': <class 'rdflib.term.URIRef'>, 'OrderItem': <class 'rdflib.term.URIRef'>, 'OrderPaymentDue': <class 'rdflib.term.URIRef'>, 'OrderPickupAvailable': <class 'rdflib.term.URIRef'>, 'OrderProblem': <class 'rdflib.term.URIRef'>, 'OrderProcessing': <class 'rdflib.term.URIRef'>, 'OrderReturned': <class 'rdflib.term.URIRef'>, 'OrderStatus': <class 'rdflib.term.URIRef'>, 'Organization': <class 'rdflib.term.URIRef'>, 'OrganizationRole': <class 'rdflib.term.URIRef'>, 'OrganizeAction': <class 'rdflib.term.URIRef'>, 'OriginalMediaContent': <class 'rdflib.term.URIRef'>, 'OriginalShippingFees': <class 'rdflib.term.URIRef'>, 'Osteopathic': <class 'rdflib.term.URIRef'>, 'Otolaryngologic': <class 'rdflib.term.URIRef'>, 'OutOfStock': <class 'rdflib.term.URIRef'>, 'OutletStore': <class 'rdflib.term.URIRef'>, 'OverviewHealthAspect': <class 'rdflib.term.URIRef'>, 'OwnershipInfo': <class 'rdflib.term.URIRef'>, 'PET': <class 'rdflib.term.URIRef'>, 'PaidLeave': <class 'rdflib.term.URIRef'>, 'PaintAction': <class 'rdflib.term.URIRef'>, 'Painting': <class 'rdflib.term.URIRef'>, 'PalliativeProcedure': <class 'rdflib.term.URIRef'>, 'Paperback': <class 'rdflib.term.URIRef'>, 'ParcelDelivery': <class 'rdflib.term.URIRef'>, 'ParcelService': <class 'rdflib.term.URIRef'>, 'ParentAudience': <class 'rdflib.term.URIRef'>, 'ParentalSupport': <class 'rdflib.term.URIRef'>, 'Park': <class 'rdflib.term.URIRef'>, 'ParkingFacility': <class 'rdflib.term.URIRef'>, 'ParkingMap': <class 'rdflib.term.URIRef'>, 'PartiallyInForce': <class 'rdflib.term.URIRef'>, 'Pathology': <class 'rdflib.term.URIRef'>, 'PathologyTest': <class 'rdflib.term.URIRef'>, 'Patient': <class 'rdflib.term.URIRef'>, 'PatientExperienceHealthAspect': <class 'rdflib.term.URIRef'>, 'PawnShop': <class 'rdflib.term.URIRef'>, 'PayAction': <class 'rdflib.term.URIRef'>, 'PaymentAutomaticallyApplied': <class 'rdflib.term.URIRef'>, 'PaymentCard': <class 'rdflib.term.URIRef'>, 'PaymentChargeSpecification': <class 'rdflib.term.URIRef'>, 'PaymentComplete': <class 'rdflib.term.URIRef'>, 'PaymentDeclined': <class 'rdflib.term.URIRef'>, 'PaymentDue': <class 'rdflib.term.URIRef'>, 'PaymentMethod': <class 'rdflib.term.URIRef'>, 'PaymentPastDue': <class 'rdflib.term.URIRef'>, 'PaymentService': <class 'rdflib.term.URIRef'>, 'PaymentStatusType': <class 'rdflib.term.URIRef'>, 'Pediatric': <class 'rdflib.term.URIRef'>, 'PeopleAudience': <class 'rdflib.term.URIRef'>, 'PercutaneousProcedure': <class 'rdflib.term.URIRef'>, 'PerformAction': <class 'rdflib.term.URIRef'>, 'PerformanceRole': <class 'rdflib.term.URIRef'>, 'PerformingArtsTheater': <class 'rdflib.term.URIRef'>, 'PerformingGroup': <class 'rdflib.term.URIRef'>, 'Periodical': <class 'rdflib.term.URIRef'>, 'Permit': <class 'rdflib.term.URIRef'>, 'Person': <class 'rdflib.term.URIRef'>, 'PetStore': <class 'rdflib.term.URIRef'>, 'Pharmacy': <class 'rdflib.term.URIRef'>, 'PharmacySpecialty': <class 'rdflib.term.URIRef'>, 'Photograph': <class 'rdflib.term.URIRef'>, 'PhotographAction': <class 'rdflib.term.URIRef'>, 'PhysicalActivity': <class 'rdflib.term.URIRef'>, 'PhysicalActivityCategory': <class 'rdflib.term.URIRef'>, 'PhysicalExam': <class 'rdflib.term.URIRef'>, 'PhysicalTherapy': <class 'rdflib.term.URIRef'>, 'Physician': <class 'rdflib.term.URIRef'>, 'Physiotherapy': <class 'rdflib.term.URIRef'>, 'Place': <class 'rdflib.term.URIRef'>, 'PlaceOfWorship': <class 'rdflib.term.URIRef'>, 'PlaceboControlledTrial': <class 'rdflib.term.URIRef'>, 'PlanAction': <class 'rdflib.term.URIRef'>, 'PlasticSurgery': <class 'rdflib.term.URIRef'>, 'Play': <class 'rdflib.term.URIRef'>, 'PlayAction': <class 'rdflib.term.URIRef'>, 'Playground': <class 'rdflib.term.URIRef'>, 'Plumber': <class 'rdflib.term.URIRef'>, 'PodcastEpisode': <class 'rdflib.term.URIRef'>, 'PodcastSeason': <class 'rdflib.term.URIRef'>, 'PodcastSeries': <class 'rdflib.term.URIRef'>, 'Podiatric': <class 'rdflib.term.URIRef'>, 'PoliceStation': <class 'rdflib.term.URIRef'>, 'Pond': <class 'rdflib.term.URIRef'>, 'PostOffice': <class 'rdflib.term.URIRef'>, 'PostalAddress': <class 'rdflib.term.URIRef'>, 'PostalCodeRangeSpecification': <class 'rdflib.term.URIRef'>, 'Poster': <class 'rdflib.term.URIRef'>, 'PotentialActionStatus': <class 'rdflib.term.URIRef'>, 'PreOrder': <class 'rdflib.term.URIRef'>, 'PreOrderAction': <class 'rdflib.term.URIRef'>, 'PreSale': <class 'rdflib.term.URIRef'>, 'PregnancyHealthAspect': <class 'rdflib.term.URIRef'>, 'PrependAction': <class 'rdflib.term.URIRef'>, 'Preschool': <class 'rdflib.term.URIRef'>, 'PrescriptionOnly': <class 'rdflib.term.URIRef'>, 'PresentationDigitalDocument': <class 'rdflib.term.URIRef'>, 'PreventionHealthAspect': <class 'rdflib.term.URIRef'>, 'PreventionIndication': <class 'rdflib.term.URIRef'>, 'PriceComponentTypeEnumeration': <class 'rdflib.term.URIRef'>, 'PriceSpecification': <class 'rdflib.term.URIRef'>, 'PriceTypeEnumeration': <class 'rdflib.term.URIRef'>, 'PrimaryCare': <class 'rdflib.term.URIRef'>, 'Prion': <class 'rdflib.term.URIRef'>, 'Product': <class 'rdflib.term.URIRef'>, 'ProductCollection': <class 'rdflib.term.URIRef'>, 'ProductGroup': <class 'rdflib.term.URIRef'>, 'ProductModel': <class 'rdflib.term.URIRef'>, 'ProfessionalService': <class 'rdflib.term.URIRef'>, 'ProfilePage': <class 'rdflib.term.URIRef'>, 'PrognosisHealthAspect': <class 'rdflib.term.URIRef'>, 'ProgramMembership': <class 'rdflib.term.URIRef'>, 'Project': <class 'rdflib.term.URIRef'>, 'PronounceableText': <class 'rdflib.term.URIRef'>, 'Property': <class 'rdflib.term.URIRef'>, 'PropertyValue': <class 'rdflib.term.URIRef'>, 'PropertyValueSpecification': <class 'rdflib.term.URIRef'>, 'Protein': <class 'rdflib.term.URIRef'>, 'Protozoa': <class 'rdflib.term.URIRef'>, 'Psychiatric': <class 'rdflib.term.URIRef'>, 'PsychologicalTreatment': <class 'rdflib.term.URIRef'>, 'PublicHealth': <class 'rdflib.term.URIRef'>, 'PublicHolidays': <class 'rdflib.term.URIRef'>, 'PublicSwimmingPool': <class 'rdflib.term.URIRef'>, 'PublicToilet': <class 'rdflib.term.URIRef'>, 'PublicationEvent': <class 'rdflib.term.URIRef'>, 'PublicationIssue': <class 'rdflib.term.URIRef'>, 'PublicationVolume': <class 'rdflib.term.URIRef'>, 'Pulmonary': <class 'rdflib.term.URIRef'>, 'QAPage': <class 'rdflib.term.URIRef'>, 'QualitativeValue': <class 'rdflib.term.URIRef'>, 'QuantitativeValue': <class 'rdflib.term.URIRef'>, 'QuantitativeValueDistribution': <class 'rdflib.term.URIRef'>, 'Quantity': <class 'rdflib.term.URIRef'>, 'Question': <class 'rdflib.term.URIRef'>, 'Quiz': <class 'rdflib.term.URIRef'>, 'Quotation': <class 'rdflib.term.URIRef'>, 'QuoteAction': <class 'rdflib.term.URIRef'>, 'RVPark': <class 'rdflib.term.URIRef'>, 'RadiationTherapy': <class 'rdflib.term.URIRef'>, 'RadioBroadcastService': <class 'rdflib.term.URIRef'>, 'RadioChannel': <class 'rdflib.term.URIRef'>, 'RadioClip': <class 'rdflib.term.URIRef'>, 'RadioEpisode': <class 'rdflib.term.URIRef'>, 'RadioSeason': <class 'rdflib.term.URIRef'>, 'RadioSeries': <class 'rdflib.term.URIRef'>, 'RadioStation': <class 'rdflib.term.URIRef'>, 'Radiography': <class 'rdflib.term.URIRef'>, 'RandomizedTrial': <class 'rdflib.term.URIRef'>, 'Rating': <class 'rdflib.term.URIRef'>, 'ReactAction': <class 'rdflib.term.URIRef'>, 'ReadAction': <class 'rdflib.term.URIRef'>, 'ReadPermission': <class 'rdflib.term.URIRef'>, 'RealEstateAgent': <class 'rdflib.term.URIRef'>, 'RealEstateListing': <class 'rdflib.term.URIRef'>, 'RearWheelDriveConfiguration': <class 'rdflib.term.URIRef'>, 'ReceiveAction': <class 'rdflib.term.URIRef'>, 'Recipe': <class 'rdflib.term.URIRef'>, 'Recommendation': <class 'rdflib.term.URIRef'>, 'RecommendedDoseSchedule': <class 'rdflib.term.URIRef'>, 'Recruiting': <class 'rdflib.term.URIRef'>, 'RecyclingCenter': <class 'rdflib.term.URIRef'>, 'RefundTypeEnumeration': <class 'rdflib.term.URIRef'>, 'RefurbishedCondition': <class 'rdflib.term.URIRef'>, 'RegisterAction': <class 'rdflib.term.URIRef'>, 'Registry': <class 'rdflib.term.URIRef'>, 'ReimbursementCap': <class 'rdflib.term.URIRef'>, 'RejectAction': <class 'rdflib.term.URIRef'>, 'RelatedTopicsHealthAspect': <class 'rdflib.term.URIRef'>, 'RemixAlbum': <class 'rdflib.term.URIRef'>, 'Renal': <class 'rdflib.term.URIRef'>, 'RentAction': <class 'rdflib.term.URIRef'>, 'RentalCarReservation': <class 'rdflib.term.URIRef'>, 'RentalVehicleUsage': <class 'rdflib.term.URIRef'>, 'RepaymentSpecification': <class 'rdflib.term.URIRef'>, 'ReplaceAction': <class 'rdflib.term.URIRef'>, 'ReplyAction': <class 'rdflib.term.URIRef'>, 'Report': <class 'rdflib.term.URIRef'>, 'ReportageNewsArticle': <class 'rdflib.term.URIRef'>, 'ReportedDoseSchedule': <class 'rdflib.term.URIRef'>, 'ResearchOrganization': <class 'rdflib.term.URIRef'>, 'ResearchProject': <class 'rdflib.term.URIRef'>, 'Researcher': <class 'rdflib.term.URIRef'>, 'Reservation': <class 'rdflib.term.URIRef'>, 'ReservationCancelled': <class 'rdflib.term.URIRef'>, 'ReservationConfirmed': <class 'rdflib.term.URIRef'>, 'ReservationHold': <class 'rdflib.term.URIRef'>, 'ReservationPackage': <class 'rdflib.term.URIRef'>, 'ReservationPending': <class 'rdflib.term.URIRef'>, 'ReservationStatusType': <class 'rdflib.term.URIRef'>, 'ReserveAction': <class 'rdflib.term.URIRef'>, 'Reservoir': <class 'rdflib.term.URIRef'>, 'Residence': <class 'rdflib.term.URIRef'>, 'Resort': <class 'rdflib.term.URIRef'>, 'RespiratoryTherapy': <class 'rdflib.term.URIRef'>, 'Restaurant': <class 'rdflib.term.URIRef'>, 'RestockingFees': <class 'rdflib.term.URIRef'>, 'RestrictedDiet': <class 'rdflib.term.URIRef'>, 'ResultsAvailable': <class 'rdflib.term.URIRef'>, 'ResultsNotAvailable': <class 'rdflib.term.URIRef'>, 'ResumeAction': <class 'rdflib.term.URIRef'>, 'Retail': <class 'rdflib.term.URIRef'>, 'ReturnAction': <class 'rdflib.term.URIRef'>, 'ReturnAtKiosk': <class 'rdflib.term.URIRef'>, 'ReturnByMail': <class 'rdflib.term.URIRef'>, 'ReturnFeesCustomerResponsibility': <class 'rdflib.term.URIRef'>, 'ReturnFeesEnumeration': <class 'rdflib.term.URIRef'>, 'ReturnInStore': <class 'rdflib.term.URIRef'>, 'ReturnLabelCustomerResponsibility': <class 'rdflib.term.URIRef'>, 'ReturnLabelDownloadAndPrint': <class 'rdflib.term.URIRef'>, 'ReturnLabelInBox': <class 'rdflib.term.URIRef'>, 'ReturnLabelSourceEnumeration': <class 'rdflib.term.URIRef'>, 'ReturnMethodEnumeration': <class 'rdflib.term.URIRef'>, 'ReturnShippingFees': <class 'rdflib.term.URIRef'>, 'Review': <class 'rdflib.term.URIRef'>, 'ReviewAction': <class 'rdflib.term.URIRef'>, 'ReviewNewsArticle': <class 'rdflib.term.URIRef'>, 'Rheumatologic': <class 'rdflib.term.URIRef'>, 'RightHandDriving': <class 'rdflib.term.URIRef'>, 'RisksOrComplicationsHealthAspect': <class 'rdflib.term.URIRef'>, 'RiverBodyOfWater': <class 'rdflib.term.URIRef'>, 'Role': <class 'rdflib.term.URIRef'>, 'RoofingContractor': <class 'rdflib.term.URIRef'>, 'Room': <class 'rdflib.term.URIRef'>, 'RsvpAction': <class 'rdflib.term.URIRef'>, 'RsvpResponseMaybe': <class 'rdflib.term.URIRef'>, 'RsvpResponseNo': <class 'rdflib.term.URIRef'>, 'RsvpResponseType': <class 'rdflib.term.URIRef'>, 'RsvpResponseYes': <class 'rdflib.term.URIRef'>, 'SRP': <class 'rdflib.term.URIRef'>, 'SafetyHealthAspect': <class 'rdflib.term.URIRef'>, 'SaleEvent': <class 'rdflib.term.URIRef'>, 'SalePrice': <class 'rdflib.term.URIRef'>, 'SatireOrParodyContent': <class 'rdflib.term.URIRef'>, 'SatiricalArticle': <class 'rdflib.term.URIRef'>, 'Saturday': <class 'rdflib.term.URIRef'>, 'Schedule': <class 'rdflib.term.URIRef'>, 'ScheduleAction': <class 'rdflib.term.URIRef'>, 'ScholarlyArticle': <class 'rdflib.term.URIRef'>, 'School': <class 'rdflib.term.URIRef'>, 'SchoolDistrict': <class 'rdflib.term.URIRef'>, 'ScreeningEvent': <class 'rdflib.term.URIRef'>, 'ScreeningHealthAspect': <class 'rdflib.term.URIRef'>, 'Sculpture': <class 'rdflib.term.URIRef'>, 'SeaBodyOfWater': <class 'rdflib.term.URIRef'>, 'SearchAction': <class 'rdflib.term.URIRef'>, 'SearchResultsPage': <class 'rdflib.term.URIRef'>, 'Season': <class 'rdflib.term.URIRef'>, 'Seat': <class 'rdflib.term.URIRef'>, 'SeatingMap': <class 'rdflib.term.URIRef'>, 'SeeDoctorHealthAspect': <class 'rdflib.term.URIRef'>, 'SeekToAction': <class 'rdflib.term.URIRef'>, 'SelfCareHealthAspect': <class 'rdflib.term.URIRef'>, 'SelfStorage': <class 'rdflib.term.URIRef'>, 'SellAction': <class 'rdflib.term.URIRef'>, 'SendAction': <class 'rdflib.term.URIRef'>, 'Series': <class 'rdflib.term.URIRef'>, 'Service': <class 'rdflib.term.URIRef'>, 'ServiceChannel': <class 'rdflib.term.URIRef'>, 'ShareAction': <class 'rdflib.term.URIRef'>, 'SheetMusic': <class 'rdflib.term.URIRef'>, 'ShippingDeliveryTime': <class 'rdflib.term.URIRef'>, 'ShippingRateSettings': <class 'rdflib.term.URIRef'>, 'ShoeStore': <class 'rdflib.term.URIRef'>, 'ShoppingCenter': <class 'rdflib.term.URIRef'>, 'ShortStory': <class 'rdflib.term.URIRef'>, 'SideEffectsHealthAspect': <class 'rdflib.term.URIRef'>, 'SingleBlindedTrial': <class 'rdflib.term.URIRef'>, 'SingleCenterTrial': <class 'rdflib.term.URIRef'>, 'SingleFamilyResidence': <class 'rdflib.term.URIRef'>, 'SinglePlayer': <class 'rdflib.term.URIRef'>, 'SingleRelease': <class 'rdflib.term.URIRef'>, 'SiteNavigationElement': <class 'rdflib.term.URIRef'>, 'SizeGroupEnumeration': <class 'rdflib.term.URIRef'>, 'SizeSpecification': <class 'rdflib.term.URIRef'>, 'SizeSystemEnumeration': <class 'rdflib.term.URIRef'>, 'SizeSystemImperial': <class 'rdflib.term.URIRef'>, 'SizeSystemMetric': <class 'rdflib.term.URIRef'>, 'SkiResort': <class 'rdflib.term.URIRef'>, 'Skin': <class 'rdflib.term.URIRef'>, 'SocialEvent': <class 'rdflib.term.URIRef'>, 'SocialMediaPosting': <class 'rdflib.term.URIRef'>, 'SoftwareApplication': <class 'rdflib.term.URIRef'>, 'SoftwareSourceCode': <class 'rdflib.term.URIRef'>, 'SoldOut': <class 'rdflib.term.URIRef'>, 'SolveMathAction': <class 'rdflib.term.URIRef'>, 'SomeProducts': <class 'rdflib.term.URIRef'>, 'SoundtrackAlbum': <class 'rdflib.term.URIRef'>, 'SpeakableSpecification': <class 'rdflib.term.URIRef'>, 'SpecialAnnouncement': <class 'rdflib.term.URIRef'>, 'Specialty': <class 'rdflib.term.URIRef'>, 'SpeechPathology': <class 'rdflib.term.URIRef'>, 'SpokenWordAlbum': <class 'rdflib.term.URIRef'>, 'SportingGoodsStore': <class 'rdflib.term.URIRef'>, 'SportsActivityLocation': <class 'rdflib.term.URIRef'>, 'SportsClub': <class 'rdflib.term.URIRef'>, 'SportsEvent': <class 'rdflib.term.URIRef'>, 'SportsOrganization': <class 'rdflib.term.URIRef'>, 'SportsTeam': <class 'rdflib.term.URIRef'>, 'SpreadsheetDigitalDocument': <class 'rdflib.term.URIRef'>, 'StadiumOrArena': <class 'rdflib.term.URIRef'>, 'StagedContent': <class 'rdflib.term.URIRef'>, 'StagesHealthAspect': <class 'rdflib.term.URIRef'>, 'State': <class 'rdflib.term.URIRef'>, 'Statement': <class 'rdflib.term.URIRef'>, 'StatisticalPopulation': <class 'rdflib.term.URIRef'>, 'StatusEnumeration': <class 'rdflib.term.URIRef'>, 'SteeringPositionValue': <class 'rdflib.term.URIRef'>, 'Store': <class 'rdflib.term.URIRef'>, 'StoreCreditRefund': <class 'rdflib.term.URIRef'>, 'StrengthTraining': <class 'rdflib.term.URIRef'>, 'StructuredValue': <class 'rdflib.term.URIRef'>, 'StudioAlbum': <class 'rdflib.term.URIRef'>, 'SubscribeAction': <class 'rdflib.term.URIRef'>, 'Subscription': <class 'rdflib.term.URIRef'>, 'Substance': <class 'rdflib.term.URIRef'>, 'SubwayStation': <class 'rdflib.term.URIRef'>, 'Suite': <class 'rdflib.term.URIRef'>, 'Sunday': <class 'rdflib.term.URIRef'>, 'SuperficialAnatomy': <class 'rdflib.term.URIRef'>, 'Surgical': <class 'rdflib.term.URIRef'>, 'SurgicalProcedure': <class 'rdflib.term.URIRef'>, 'SuspendAction': <class 'rdflib.term.URIRef'>, 'Suspended': <class 'rdflib.term.URIRef'>, 'SymptomsHealthAspect': <class 'rdflib.term.URIRef'>, 'Synagogue': <class 'rdflib.term.URIRef'>, 'TVClip': <class 'rdflib.term.URIRef'>, 'TVEpisode': <class 'rdflib.term.URIRef'>, 'TVSeason': <class 'rdflib.term.URIRef'>, 'TVSeries': <class 'rdflib.term.URIRef'>, 'Table': <class 'rdflib.term.URIRef'>, 'TakeAction': <class 'rdflib.term.URIRef'>, 'TattooParlor': <class 'rdflib.term.URIRef'>, 'Taxi': <class 'rdflib.term.URIRef'>, 'TaxiReservation': <class 'rdflib.term.URIRef'>, 'TaxiService': <class 'rdflib.term.URIRef'>, 'TaxiStand': <class 'rdflib.term.URIRef'>, 'TaxiVehicleUsage': <class 'rdflib.term.URIRef'>, 'Taxon': <class 'rdflib.term.URIRef'>, 'TechArticle': <class 'rdflib.term.URIRef'>, 'TelevisionChannel': <class 'rdflib.term.URIRef'>, 'TelevisionStation': <class 'rdflib.term.URIRef'>, 'TennisComplex': <class 'rdflib.term.URIRef'>, 'Terminated': <class 'rdflib.term.URIRef'>, 'Text': <class 'rdflib.term.URIRef'>, 'TextDigitalDocument': <class 'rdflib.term.URIRef'>, 'TheaterEvent': <class 'rdflib.term.URIRef'>, 'TheaterGroup': <class 'rdflib.term.URIRef'>, 'Therapeutic': <class 'rdflib.term.URIRef'>, 'TherapeuticProcedure': <class 'rdflib.term.URIRef'>, 'Thesis': <class 'rdflib.term.URIRef'>, 'Thing': <class 'rdflib.term.URIRef'>, 'Throat': <class 'rdflib.term.URIRef'>, 'Thursday': <class 'rdflib.term.URIRef'>, 'Ticket': <class 'rdflib.term.URIRef'>, 'TieAction': <class 'rdflib.term.URIRef'>, 'Time': <class 'rdflib.term.URIRef'>, 'TipAction': <class 'rdflib.term.URIRef'>, 'TireShop': <class 'rdflib.term.URIRef'>, 'TollFree': <class 'rdflib.term.URIRef'>, 'TouristAttraction': <class 'rdflib.term.URIRef'>, 'TouristDestination': <class 'rdflib.term.URIRef'>, 'TouristInformationCenter': <class 'rdflib.term.URIRef'>, 'TouristTrip': <class 'rdflib.term.URIRef'>, 'Toxicologic': <class 'rdflib.term.URIRef'>, 'ToyStore': <class 'rdflib.term.URIRef'>, 'TrackAction': <class 'rdflib.term.URIRef'>, 'TradeAction': <class 'rdflib.term.URIRef'>, 'TraditionalChinese': <class 'rdflib.term.URIRef'>, 'TrainReservation': <class 'rdflib.term.URIRef'>, 'TrainStation': <class 'rdflib.term.URIRef'>, 'TrainTrip': <class 'rdflib.term.URIRef'>, 'TransferAction': <class 'rdflib.term.URIRef'>, 'TransformedContent': <class 'rdflib.term.URIRef'>, 'TransitMap': <class 'rdflib.term.URIRef'>, 'TravelAction': <class 'rdflib.term.URIRef'>, 'TravelAgency': <class 'rdflib.term.URIRef'>, 'TreatmentIndication': <class 'rdflib.term.URIRef'>, 'TreatmentsHealthAspect': <class 'rdflib.term.URIRef'>, 'Trip': <class 'rdflib.term.URIRef'>, 'TripleBlindedTrial': <class 'rdflib.term.URIRef'>, 'Tuesday': <class 'rdflib.term.URIRef'>, 'TypeAndQuantityNode': <class 'rdflib.term.URIRef'>, 'TypesHealthAspect': <class 'rdflib.term.URIRef'>, 'UKNonprofitType': <class 'rdflib.term.URIRef'>, 'UKTrust': <class 'rdflib.term.URIRef'>, 'URL': <class 'rdflib.term.URIRef'>, 'USNonprofitType': <class 'rdflib.term.URIRef'>, 'Ultrasound': <class 'rdflib.term.URIRef'>, 'UnRegisterAction': <class 'rdflib.term.URIRef'>, 'UnemploymentSupport': <class 'rdflib.term.URIRef'>, 'UnincorporatedAssociationCharity': <class 'rdflib.term.URIRef'>, 'UnitPriceSpecification': <class 'rdflib.term.URIRef'>, 'UnofficialLegalValue': <class 'rdflib.term.URIRef'>, 'UpdateAction': <class 'rdflib.term.URIRef'>, 'Urologic': <class 'rdflib.term.URIRef'>, 'UsageOrScheduleHealthAspect': <class 'rdflib.term.URIRef'>, 'UseAction': <class 'rdflib.term.URIRef'>, 'UsedCondition': <class 'rdflib.term.URIRef'>, 'UserBlocks': <class 'rdflib.term.URIRef'>, 'UserCheckins': <class 'rdflib.term.URIRef'>, 'UserComments': <class 'rdflib.term.URIRef'>, 'UserDownloads': <class 'rdflib.term.URIRef'>, 'UserInteraction': <class 'rdflib.term.URIRef'>, 'UserLikes': <class 'rdflib.term.URIRef'>, 'UserPageVisits': <class 'rdflib.term.URIRef'>, 'UserPlays': <class 'rdflib.term.URIRef'>, 'UserPlusOnes': <class 'rdflib.term.URIRef'>, 'UserReview': <class 'rdflib.term.URIRef'>, 'UserTweets': <class 'rdflib.term.URIRef'>, 'VeganDiet': <class 'rdflib.term.URIRef'>, 'VegetarianDiet': <class 'rdflib.term.URIRef'>, 'Vehicle': <class 'rdflib.term.URIRef'>, 'Vein': <class 'rdflib.term.URIRef'>, 'VenueMap': <class 'rdflib.term.URIRef'>, 'Vessel': <class 'rdflib.term.URIRef'>, 'VeterinaryCare': <class 'rdflib.term.URIRef'>, 'VideoGallery': <class 'rdflib.term.URIRef'>, 'VideoGame': <class 'rdflib.term.URIRef'>, 'VideoGameClip': <class 'rdflib.term.URIRef'>, 'VideoGameSeries': <class 'rdflib.term.URIRef'>, 'VideoObject': <class 'rdflib.term.URIRef'>, 'VideoObjectSnapshot': <class 'rdflib.term.URIRef'>, 'ViewAction': <class 'rdflib.term.URIRef'>, 'VinylFormat': <class 'rdflib.term.URIRef'>, 'VirtualLocation': <class 'rdflib.term.URIRef'>, 'Virus': <class 'rdflib.term.URIRef'>, 'VisualArtsEvent': <class 'rdflib.term.URIRef'>, 'VisualArtwork': <class 'rdflib.term.URIRef'>, 'VitalSign': <class 'rdflib.term.URIRef'>, 'Volcano': <class 'rdflib.term.URIRef'>, 'VoteAction': <class 'rdflib.term.URIRef'>, 'WPAdBlock': <class 'rdflib.term.URIRef'>, 'WPFooter': <class 'rdflib.term.URIRef'>, 'WPHeader': <class 'rdflib.term.URIRef'>, 'WPSideBar': <class 'rdflib.term.URIRef'>, 'WantAction': <class 'rdflib.term.URIRef'>, 'WarrantyPromise': <class 'rdflib.term.URIRef'>, 'WarrantyScope': <class 'rdflib.term.URIRef'>, 'WatchAction': <class 'rdflib.term.URIRef'>, 'Waterfall': <class 'rdflib.term.URIRef'>, 'WearAction': <class 'rdflib.term.URIRef'>, 'WearableMeasurementBack': <class 'rdflib.term.URIRef'>, 'WearableMeasurementChestOrBust': <class 'rdflib.term.URIRef'>, 'WearableMeasurementCollar': <class 'rdflib.term.URIRef'>, 'WearableMeasurementCup': <class 'rdflib.term.URIRef'>, 'WearableMeasurementHeight': <class 'rdflib.term.URIRef'>, 'WearableMeasurementHips': <class 'rdflib.term.URIRef'>, 'WearableMeasurementInseam': <class 'rdflib.term.URIRef'>, 'WearableMeasurementLength': <class 'rdflib.term.URIRef'>, 'WearableMeasurementOutsideLeg': <class 'rdflib.term.URIRef'>, 'WearableMeasurementSleeve': <class 'rdflib.term.URIRef'>, 'WearableMeasurementTypeEnumeration': <class 'rdflib.term.URIRef'>, 'WearableMeasurementWaist': <class 'rdflib.term.URIRef'>, 'WearableMeasurementWidth': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupBig': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupBoys': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupEnumeration': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupExtraShort': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupExtraTall': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupGirls': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupHusky': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupInfants': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupJuniors': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupMaternity': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupMens': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupMisses': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupPetite': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupPlus': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupRegular': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupShort': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupTall': <class 'rdflib.term.URIRef'>, 'WearableSizeGroupWomens': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemAU': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemBR': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemCN': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemContinental': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemDE': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemEN13402': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemEnumeration': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemEurope': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemFR': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemGS1': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemIT': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemJP': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemMX': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemUK': <class 'rdflib.term.URIRef'>, 'WearableSizeSystemUS': <class 'rdflib.term.URIRef'>, 'WebAPI': <class 'rdflib.term.URIRef'>, 'WebApplication': <class 'rdflib.term.URIRef'>, 'WebContent': <class 'rdflib.term.URIRef'>, 'WebPage': <class 'rdflib.term.URIRef'>, 'WebPageElement': <class 'rdflib.term.URIRef'>, 'WebSite': <class 'rdflib.term.URIRef'>, 'Wednesday': <class 'rdflib.term.URIRef'>, 'WesternConventional': <class 'rdflib.term.URIRef'>, 'Wholesale': <class 'rdflib.term.URIRef'>, 'WholesaleStore': <class 'rdflib.term.URIRef'>, 'WinAction': <class 'rdflib.term.URIRef'>, 'Winery': <class 'rdflib.term.URIRef'>, 'Withdrawn': <class 'rdflib.term.URIRef'>, 'WorkBasedProgram': <class 'rdflib.term.URIRef'>, 'WorkersUnion': <class 'rdflib.term.URIRef'>, 'WriteAction': <class 'rdflib.term.URIRef'>, 'WritePermission': <class 'rdflib.term.URIRef'>, 'XPathType': <class 'rdflib.term.URIRef'>, 'XRay': <class 'rdflib.term.URIRef'>, 'ZoneBoardingPolicy': <class 'rdflib.term.URIRef'>, 'Zoo': <class 'rdflib.term.URIRef'>, 'about': <class 'rdflib.term.URIRef'>, 'abridged': <class 'rdflib.term.URIRef'>, 'abstract': <class 'rdflib.term.URIRef'>, 'accelerationTime': <class 'rdflib.term.URIRef'>, 'acceptedAnswer': <class 'rdflib.term.URIRef'>, 'acceptedOffer': <class 'rdflib.term.URIRef'>, 'acceptedPaymentMethod': <class 'rdflib.term.URIRef'>, 'acceptsReservations': <class 'rdflib.term.URIRef'>, 'accessCode': <class 'rdflib.term.URIRef'>, 'accessMode': <class 'rdflib.term.URIRef'>, 'accessModeSufficient': <class 'rdflib.term.URIRef'>, 'accessibilityAPI': <class 'rdflib.term.URIRef'>, 'accessibilityControl': <class 'rdflib.term.URIRef'>, 'accessibilityFeature': <class 'rdflib.term.URIRef'>, 'accessibilityHazard': <class 'rdflib.term.URIRef'>, 'accessibilitySummary': <class 'rdflib.term.URIRef'>, 'accommodationCategory': <class 'rdflib.term.URIRef'>, 'accommodationFloorPlan': <class 'rdflib.term.URIRef'>, 'accountId': <class 'rdflib.term.URIRef'>, 'accountMinimumInflow': <class 'rdflib.term.URIRef'>, 'accountOverdraftLimit': <class 'rdflib.term.URIRef'>, 'accountablePerson': <class 'rdflib.term.URIRef'>, 'acquireLicensePage': <class 'rdflib.term.URIRef'>, 'acquiredFrom': <class 'rdflib.term.URIRef'>, 'acrissCode': <class 'rdflib.term.URIRef'>, 'actionAccessibilityRequirement': <class 'rdflib.term.URIRef'>, 'actionApplication': <class 'rdflib.term.URIRef'>, 'actionOption': <class 'rdflib.term.URIRef'>, 'actionPlatform': <class 'rdflib.term.URIRef'>, 'actionStatus': <class 'rdflib.term.URIRef'>, 'actionableFeedbackPolicy': <class 'rdflib.term.URIRef'>, 'activeIngredient': <class 'rdflib.term.URIRef'>, 'activityDuration': <class 'rdflib.term.URIRef'>, 'activityFrequency': <class 'rdflib.term.URIRef'>, 'actor': <class 'rdflib.term.URIRef'>, 'actors': <class 'rdflib.term.URIRef'>, 'addOn': <class 'rdflib.term.URIRef'>, 'additionalName': <class 'rdflib.term.URIRef'>, 'additionalNumberOfGuests': <class 'rdflib.term.URIRef'>, 'additionalProperty': <class 'rdflib.term.URIRef'>, 'additionalType': <class 'rdflib.term.URIRef'>, 'additionalVariable': <class 'rdflib.term.URIRef'>, 'address': <class 'rdflib.term.URIRef'>, 'addressCountry': <class 'rdflib.term.URIRef'>, 'addressLocality': <class 'rdflib.term.URIRef'>, 'addressRegion': <class 'rdflib.term.URIRef'>, 'administrationRoute': <class 'rdflib.term.URIRef'>, 'advanceBookingRequirement': <class 'rdflib.term.URIRef'>, 'adverseOutcome': <class 'rdflib.term.URIRef'>, 'affectedBy': <class 'rdflib.term.URIRef'>, 'affiliation': <class 'rdflib.term.URIRef'>, 'afterMedia': <class 'rdflib.term.URIRef'>, 'agent': <class 'rdflib.term.URIRef'>, 'aggregateRating': <class 'rdflib.term.URIRef'>, 'aircraft': <class 'rdflib.term.URIRef'>, 'album': <class 'rdflib.term.URIRef'>, 'albumProductionType': <class 'rdflib.term.URIRef'>, 'albumRelease': <class 'rdflib.term.URIRef'>, 'albumReleaseType': <class 'rdflib.term.URIRef'>, 'albums': <class 'rdflib.term.URIRef'>, 'alcoholWarning': <class 'rdflib.term.URIRef'>, 'algorithm': <class 'rdflib.term.URIRef'>, 'alignmentType': <class 'rdflib.term.URIRef'>, 'alternateName': <class 'rdflib.term.URIRef'>, 'alternativeHeadline': <class 'rdflib.term.URIRef'>, 'alternativeOf': <class 'rdflib.term.URIRef'>, 'alumni': <class 'rdflib.term.URIRef'>, 'alumniOf': <class 'rdflib.term.URIRef'>, 'amenityFeature': <class 'rdflib.term.URIRef'>, 'amount': <class 'rdflib.term.URIRef'>, 'amountOfThisGood': <class 'rdflib.term.URIRef'>, 'announcementLocation': <class 'rdflib.term.URIRef'>, 'annualPercentageRate': <class 'rdflib.term.URIRef'>, 'answerCount': <class 'rdflib.term.URIRef'>, 'answerExplanation': <class 'rdflib.term.URIRef'>, 'antagonist': <class 'rdflib.term.URIRef'>, 'appearance': <class 'rdflib.term.URIRef'>, 'applicableLocation': <class 'rdflib.term.URIRef'>, 'applicantLocationRequirements': <class 'rdflib.term.URIRef'>, 'application': <class 'rdflib.term.URIRef'>, 'applicationCategory': <class 'rdflib.term.URIRef'>, 'applicationContact': <class 'rdflib.term.URIRef'>, 'applicationDeadline': <class 'rdflib.term.URIRef'>, 'applicationStartDate': <class 'rdflib.term.URIRef'>, 'applicationSubCategory': <class 'rdflib.term.URIRef'>, 'applicationSuite': <class 'rdflib.term.URIRef'>, 'appliesToDeliveryMethod': <class 'rdflib.term.URIRef'>, 'appliesToPaymentMethod': <class 'rdflib.term.URIRef'>, 'archiveHeld': <class 'rdflib.term.URIRef'>, 'archivedAt': <class 'rdflib.term.URIRef'>, 'area': <class 'rdflib.term.URIRef'>, 'areaServed': <class 'rdflib.term.URIRef'>, 'arrivalAirport': <class 'rdflib.term.URIRef'>, 'arrivalBoatTerminal': <class 'rdflib.term.URIRef'>, 'arrivalBusStop': <class 'rdflib.term.URIRef'>, 'arrivalGate': <class 'rdflib.term.URIRef'>, 'arrivalPlatform': <class 'rdflib.term.URIRef'>, 'arrivalStation': <class 'rdflib.term.URIRef'>, 'arrivalTerminal': <class 'rdflib.term.URIRef'>, 'arrivalTime': <class 'rdflib.term.URIRef'>, 'artEdition': <class 'rdflib.term.URIRef'>, 'artMedium': <class 'rdflib.term.URIRef'>, 'arterialBranch': <class 'rdflib.term.URIRef'>, 'artform': <class 'rdflib.term.URIRef'>, 'articleBody': <class 'rdflib.term.URIRef'>, 'articleSection': <class 'rdflib.term.URIRef'>, 'artist': <class 'rdflib.term.URIRef'>, 'artworkSurface': <class 'rdflib.term.URIRef'>, 'aspect': <class 'rdflib.term.URIRef'>, 'assembly': <class 'rdflib.term.URIRef'>, 'assemblyVersion': <class 'rdflib.term.URIRef'>, 'assesses': <class 'rdflib.term.URIRef'>, 'associatedAnatomy': <class 'rdflib.term.URIRef'>, 'associatedArticle': <class 'rdflib.term.URIRef'>, 'associatedClaimReview': <class 'rdflib.term.URIRef'>, 'associatedDisease': <class 'rdflib.term.URIRef'>, 'associatedMedia': <class 'rdflib.term.URIRef'>, 'associatedMediaReview': <class 'rdflib.term.URIRef'>, 'associatedPathophysiology': <class 'rdflib.term.URIRef'>, 'associatedReview': <class 'rdflib.term.URIRef'>, 'athlete': <class 'rdflib.term.URIRef'>, 'attendee': <class 'rdflib.term.URIRef'>, 'attendees': <class 'rdflib.term.URIRef'>, 'audience': <class 'rdflib.term.URIRef'>, 'audienceType': <class 'rdflib.term.URIRef'>, 'audio': <class 'rdflib.term.URIRef'>, 'authenticator': <class 'rdflib.term.URIRef'>, 'author': <class 'rdflib.term.URIRef'>, 'availability': <class 'rdflib.term.URIRef'>, 'availabilityEnds': <class 'rdflib.term.URIRef'>, 'availabilityStarts': <class 'rdflib.term.URIRef'>, 'availableAtOrFrom': <class 'rdflib.term.URIRef'>, 'availableChannel': <class 'rdflib.term.URIRef'>, 'availableDeliveryMethod': <class 'rdflib.term.URIRef'>, 'availableFrom': <class 'rdflib.term.URIRef'>, 'availableIn': <class 'rdflib.term.URIRef'>, 'availableLanguage': <class 'rdflib.term.URIRef'>, 'availableOnDevice': <class 'rdflib.term.URIRef'>, 'availableService': <class 'rdflib.term.URIRef'>, 'availableStrength': <class 'rdflib.term.URIRef'>, 'availableTest': <class 'rdflib.term.URIRef'>, 'availableThrough': <class 'rdflib.term.URIRef'>, 'award': <class 'rdflib.term.URIRef'>, 'awards': <class 'rdflib.term.URIRef'>, 'awayTeam': <class 'rdflib.term.URIRef'>, 'backstory': <class 'rdflib.term.URIRef'>, 'bankAccountType': <class 'rdflib.term.URIRef'>, 'baseSalary': <class 'rdflib.term.URIRef'>, 'bccRecipient': <class 'rdflib.term.URIRef'>, 'bed': <class 'rdflib.term.URIRef'>, 'beforeMedia': <class 'rdflib.term.URIRef'>, 'beneficiaryBank': <class 'rdflib.term.URIRef'>, 'benefits': <class 'rdflib.term.URIRef'>, 'benefitsSummaryUrl': <class 'rdflib.term.URIRef'>, 'bestRating': <class 'rdflib.term.URIRef'>, 'billingAddress': <class 'rdflib.term.URIRef'>, 'billingDuration': <class 'rdflib.term.URIRef'>, 'billingIncrement': <class 'rdflib.term.URIRef'>, 'billingPeriod': <class 'rdflib.term.URIRef'>, 'billingStart': <class 'rdflib.term.URIRef'>, 'bioChemInteraction': <class 'rdflib.term.URIRef'>, 'bioChemSimilarity': <class 'rdflib.term.URIRef'>, 'biologicalRole': <class 'rdflib.term.URIRef'>, 'biomechnicalClass': <class 'rdflib.term.URIRef'>, 'birthDate': <class 'rdflib.term.URIRef'>, 'birthPlace': <class 'rdflib.term.URIRef'>, 'bitrate': <class 'rdflib.term.URIRef'>, 'blogPost': <class 'rdflib.term.URIRef'>, 'blogPosts': <class 'rdflib.term.URIRef'>, 'bloodSupply': <class 'rdflib.term.URIRef'>, 'boardingGroup': <class 'rdflib.term.URIRef'>, 'boardingPolicy': <class 'rdflib.term.URIRef'>, 'bodyLocation': <class 'rdflib.term.URIRef'>, 'bodyType': <class 'rdflib.term.URIRef'>, 'bookEdition': <class 'rdflib.term.URIRef'>, 'bookFormat': <class 'rdflib.term.URIRef'>, 'bookingAgent': <class 'rdflib.term.URIRef'>, 'bookingTime': <class 'rdflib.term.URIRef'>, 'borrower': <class 'rdflib.term.URIRef'>, 'box': <class 'rdflib.term.URIRef'>, 'branch': <class 'rdflib.term.URIRef'>, 'branchCode': <class 'rdflib.term.URIRef'>, 'branchOf': <class 'rdflib.term.URIRef'>, 'brand': <class 'rdflib.term.URIRef'>, 'breadcrumb': <class 'rdflib.term.URIRef'>, 'breastfeedingWarning': <class 'rdflib.term.URIRef'>, 'broadcastAffiliateOf': <class 'rdflib.term.URIRef'>, 'broadcastChannelId': <class 'rdflib.term.URIRef'>, 'broadcastDisplayName': <class 'rdflib.term.URIRef'>, 'broadcastFrequency': <class 'rdflib.term.URIRef'>, 'broadcastFrequencyValue': <class 'rdflib.term.URIRef'>, 'broadcastOfEvent': <class 'rdflib.term.URIRef'>, 'broadcastServiceTier': <class 'rdflib.term.URIRef'>, 'broadcastSignalModulation': <class 'rdflib.term.URIRef'>, 'broadcastSubChannel': <class 'rdflib.term.URIRef'>, 'broadcastTimezone': <class 'rdflib.term.URIRef'>, 'broadcaster': <class 'rdflib.term.URIRef'>, 'broker': <class 'rdflib.term.URIRef'>, 'browserRequirements': <class 'rdflib.term.URIRef'>, 'busName': <class 'rdflib.term.URIRef'>, 'busNumber': <class 'rdflib.term.URIRef'>, 'businessDays': <class 'rdflib.term.URIRef'>, 'businessFunction': <class 'rdflib.term.URIRef'>, 'buyer': <class 'rdflib.term.URIRef'>, 'byArtist': <class 'rdflib.term.URIRef'>, 'byDay': <class 'rdflib.term.URIRef'>, 'byMonth': <class 'rdflib.term.URIRef'>, 'byMonthDay': <class 'rdflib.term.URIRef'>, 'byMonthWeek': <class 'rdflib.term.URIRef'>, 'callSign': <class 'rdflib.term.URIRef'>, 'calories': <class 'rdflib.term.URIRef'>, 'candidate': <class 'rdflib.term.URIRef'>, 'caption': <class 'rdflib.term.URIRef'>, 'carbohydrateContent': <class 'rdflib.term.URIRef'>, 'cargoVolume': <class 'rdflib.term.URIRef'>, 'carrier': <class 'rdflib.term.URIRef'>, 'carrierRequirements': <class 'rdflib.term.URIRef'>, 'cashBack': <class 'rdflib.term.URIRef'>, 'catalog': <class 'rdflib.term.URIRef'>, 'catalogNumber': <class 'rdflib.term.URIRef'>, 'category': <class 'rdflib.term.URIRef'>, 'causeOf': <class 'rdflib.term.URIRef'>, 'ccRecipient': <class 'rdflib.term.URIRef'>, 'character': <class 'rdflib.term.URIRef'>, 'characterAttribute': <class 'rdflib.term.URIRef'>, 'characterName': <class 'rdflib.term.URIRef'>, 'cheatCode': <class 'rdflib.term.URIRef'>, 'checkinTime': <class 'rdflib.term.URIRef'>, 'checkoutTime': <class 'rdflib.term.URIRef'>, 'chemicalComposition': <class 'rdflib.term.URIRef'>, 'chemicalRole': <class 'rdflib.term.URIRef'>, 'childMaxAge': <class 'rdflib.term.URIRef'>, 'childMinAge': <class 'rdflib.term.URIRef'>, 'childTaxon': <class 'rdflib.term.URIRef'>, 'children': <class 'rdflib.term.URIRef'>, 'cholesterolContent': <class 'rdflib.term.URIRef'>, 'circle': <class 'rdflib.term.URIRef'>, 'citation': <class 'rdflib.term.URIRef'>, 'claimInterpreter': <class 'rdflib.term.URIRef'>, 'claimReviewed': <class 'rdflib.term.URIRef'>, 'clincalPharmacology': <class 'rdflib.term.URIRef'>, 'clinicalPharmacology': <class 'rdflib.term.URIRef'>, 'clipNumber': <class 'rdflib.term.URIRef'>, 'closes': <class 'rdflib.term.URIRef'>, 'coach': <class 'rdflib.term.URIRef'>, 'code': <class 'rdflib.term.URIRef'>, 'codeRepository': <class 'rdflib.term.URIRef'>, 'codeSampleType': <class 'rdflib.term.URIRef'>, 'codeValue': <class 'rdflib.term.URIRef'>, 'codingSystem': <class 'rdflib.term.URIRef'>, 'colleague': <class 'rdflib.term.URIRef'>, 'colleagues': <class 'rdflib.term.URIRef'>, 'collection': <class 'rdflib.term.URIRef'>, 'collectionSize': <class 'rdflib.term.URIRef'>, 'color': <class 'rdflib.term.URIRef'>, 'colorist': <class 'rdflib.term.URIRef'>, 'comment': <class 'rdflib.term.URIRef'>, 'commentCount': <class 'rdflib.term.URIRef'>, 'commentText': <class 'rdflib.term.URIRef'>, 'commentTime': <class 'rdflib.term.URIRef'>, 'competencyRequired': <class 'rdflib.term.URIRef'>, 'competitor': <class 'rdflib.term.URIRef'>, 'composer': <class 'rdflib.term.URIRef'>, 'comprisedOf': <class 'rdflib.term.URIRef'>, 'conditionsOfAccess': <class 'rdflib.term.URIRef'>, 'confirmationNumber': <class 'rdflib.term.URIRef'>, 'connectedTo': <class 'rdflib.term.URIRef'>, 'constrainingProperty': <class 'rdflib.term.URIRef'>, 'contactOption': <class 'rdflib.term.URIRef'>, 'contactPoint': <class 'rdflib.term.URIRef'>, 'contactPoints': <class 'rdflib.term.URIRef'>, 'contactType': <class 'rdflib.term.URIRef'>, 'contactlessPayment': <class 'rdflib.term.URIRef'>, 'containedIn': <class 'rdflib.term.URIRef'>, 'containedInPlace': <class 'rdflib.term.URIRef'>, 'containsPlace': <class 'rdflib.term.URIRef'>, 'containsSeason': <class 'rdflib.term.URIRef'>, 'contentLocation': <class 'rdflib.term.URIRef'>, 'contentRating': <class 'rdflib.term.URIRef'>, 'contentReferenceTime': <class 'rdflib.term.URIRef'>, 'contentSize': <class 'rdflib.term.URIRef'>, 'contentType': <class 'rdflib.term.URIRef'>, 'contentUrl': <class 'rdflib.term.URIRef'>, 'contraindication': <class 'rdflib.term.URIRef'>, 'contributor': <class 'rdflib.term.URIRef'>, 'cookTime': <class 'rdflib.term.URIRef'>, 'cookingMethod': <class 'rdflib.term.URIRef'>, 'copyrightHolder': <class 'rdflib.term.URIRef'>, 'copyrightNotice': <class 'rdflib.term.URIRef'>, 'copyrightYear': <class 'rdflib.term.URIRef'>, 'correction': <class 'rdflib.term.URIRef'>, 'correctionsPolicy': <class 'rdflib.term.URIRef'>, 'costCategory': <class 'rdflib.term.URIRef'>, 'costCurrency': <class 'rdflib.term.URIRef'>, 'costOrigin': <class 'rdflib.term.URIRef'>, 'costPerUnit': <class 'rdflib.term.URIRef'>, 'countriesNotSupported': <class 'rdflib.term.URIRef'>, 'countriesSupported': <class 'rdflib.term.URIRef'>, 'countryOfAssembly': <class 'rdflib.term.URIRef'>, 'countryOfLastProcessing': <class 'rdflib.term.URIRef'>, 'countryOfOrigin': <class 'rdflib.term.URIRef'>, 'course': <class 'rdflib.term.URIRef'>, 'courseCode': <class 'rdflib.term.URIRef'>, 'courseMode': <class 'rdflib.term.URIRef'>, 'coursePrerequisites': <class 'rdflib.term.URIRef'>, 'courseWorkload': <class 'rdflib.term.URIRef'>, 'coverageEndTime': <class 'rdflib.term.URIRef'>, 'coverageStartTime': <class 'rdflib.term.URIRef'>, 'creativeWorkStatus': <class 'rdflib.term.URIRef'>, 'creator': <class 'rdflib.term.URIRef'>, 'credentialCategory': <class 'rdflib.term.URIRef'>, 'creditText': <class 'rdflib.term.URIRef'>, 'creditedTo': <class 'rdflib.term.URIRef'>, 'cssSelector': <class 'rdflib.term.URIRef'>, 'currenciesAccepted': <class 'rdflib.term.URIRef'>, 'currency': <class 'rdflib.term.URIRef'>, 'currentExchangeRate': <class 'rdflib.term.URIRef'>, 'customer': <class 'rdflib.term.URIRef'>, 'customerRemorseReturnFees': <class 'rdflib.term.URIRef'>, 'customerRemorseReturnLabelSource': <class 'rdflib.term.URIRef'>, 'customerRemorseReturnShippingFeesAmount': <class 'rdflib.term.URIRef'>, 'cutoffTime': <class 'rdflib.term.URIRef'>, 'cvdCollectionDate': <class 'rdflib.term.URIRef'>, 'cvdFacilityCounty': <class 'rdflib.term.URIRef'>, 'cvdFacilityId': <class 'rdflib.term.URIRef'>, 'cvdNumBeds': <class 'rdflib.term.URIRef'>, 'cvdNumBedsOcc': <class 'rdflib.term.URIRef'>, 'cvdNumC19Died': <class 'rdflib.term.URIRef'>, 'cvdNumC19HOPats': <class 'rdflib.term.URIRef'>, 'cvdNumC19HospPats': <class 'rdflib.term.URIRef'>, 'cvdNumC19MechVentPats': <class 'rdflib.term.URIRef'>, 'cvdNumC19OFMechVentPats': <class 'rdflib.term.URIRef'>, 'cvdNumC19OverflowPats': <class 'rdflib.term.URIRef'>, 'cvdNumICUBeds': <class 'rdflib.term.URIRef'>, 'cvdNumICUBedsOcc': <class 'rdflib.term.URIRef'>, 'cvdNumTotBeds': <class 'rdflib.term.URIRef'>, 'cvdNumVent': <class 'rdflib.term.URIRef'>, 'cvdNumVentUse': <class 'rdflib.term.URIRef'>, 'dataFeedElement': <class 'rdflib.term.URIRef'>, 'dataset': <class 'rdflib.term.URIRef'>, 'datasetTimeInterval': <class 'rdflib.term.URIRef'>, 'dateCreated': <class 'rdflib.term.URIRef'>, 'dateDeleted': <class 'rdflib.term.URIRef'>, 'dateIssued': <class 'rdflib.term.URIRef'>, 'dateModified': <class 'rdflib.term.URIRef'>, 'datePosted': <class 'rdflib.term.URIRef'>, 'datePublished': <class 'rdflib.term.URIRef'>, 'dateRead': <class 'rdflib.term.URIRef'>, 'dateReceived': <class 'rdflib.term.URIRef'>, 'dateSent': <class 'rdflib.term.URIRef'>, 'dateVehicleFirstRegistered': <class 'rdflib.term.URIRef'>, 'dateline': <class 'rdflib.term.URIRef'>, 'dayOfWeek': <class 'rdflib.term.URIRef'>, 'deathDate': <class 'rdflib.term.URIRef'>, 'deathPlace': <class 'rdflib.term.URIRef'>, 'defaultValue': <class 'rdflib.term.URIRef'>, 'deliveryAddress': <class 'rdflib.term.URIRef'>, 'deliveryLeadTime': <class 'rdflib.term.URIRef'>, 'deliveryMethod': <class 'rdflib.term.URIRef'>, 'deliveryStatus': <class 'rdflib.term.URIRef'>, 'deliveryTime': <class 'rdflib.term.URIRef'>, 'department': <class 'rdflib.term.URIRef'>, 'departureAirport': <class 'rdflib.term.URIRef'>, 'departureBoatTerminal': <class 'rdflib.term.URIRef'>, 'departureBusStop': <class 'rdflib.term.URIRef'>, 'departureGate': <class 'rdflib.term.URIRef'>, 'departurePlatform': <class 'rdflib.term.URIRef'>, 'departureStation': <class 'rdflib.term.URIRef'>, 'departureTerminal': <class 'rdflib.term.URIRef'>, 'departureTime': <class 'rdflib.term.URIRef'>, 'dependencies': <class 'rdflib.term.URIRef'>, 'depth': <class 'rdflib.term.URIRef'>, 'description': <class 'rdflib.term.URIRef'>, 'device': <class 'rdflib.term.URIRef'>, 'diagnosis': <class 'rdflib.term.URIRef'>, 'diagram': <class 'rdflib.term.URIRef'>, 'diet': <class 'rdflib.term.URIRef'>, 'dietFeatures': <class 'rdflib.term.URIRef'>, 'differentialDiagnosis': <class 'rdflib.term.URIRef'>, 'directApply': <class 'rdflib.term.URIRef'>, 'director': <class 'rdflib.term.URIRef'>, 'directors': <class 'rdflib.term.URIRef'>, 'disambiguatingDescription': <class 'rdflib.term.URIRef'>, 'discount': <class 'rdflib.term.URIRef'>, 'discountCode': <class 'rdflib.term.URIRef'>, 'discountCurrency': <class 'rdflib.term.URIRef'>, 'discusses': <class 'rdflib.term.URIRef'>, 'discussionUrl': <class 'rdflib.term.URIRef'>, 'diseasePreventionInfo': <class 'rdflib.term.URIRef'>, 'diseaseSpreadStatistics': <class 'rdflib.term.URIRef'>, 'dissolutionDate': <class 'rdflib.term.URIRef'>, 'distance': <class 'rdflib.term.URIRef'>, 'distinguishingSign': <class 'rdflib.term.URIRef'>, 'distribution': <class 'rdflib.term.URIRef'>, 'diversityPolicy': <class 'rdflib.term.URIRef'>, 'diversityStaffingReport': <class 'rdflib.term.URIRef'>, 'documentation': <class 'rdflib.term.URIRef'>, 'doesNotShip': <class 'rdflib.term.URIRef'>, 'domainIncludes': <class 'rdflib.term.URIRef'>, 'domiciledMortgage': <class 'rdflib.term.URIRef'>, 'doorTime': <class 'rdflib.term.URIRef'>, 'dosageForm': <class 'rdflib.term.URIRef'>, 'doseSchedule': <class 'rdflib.term.URIRef'>, 'doseUnit': <class 'rdflib.term.URIRef'>, 'doseValue': <class 'rdflib.term.URIRef'>, 'downPayment': <class 'rdflib.term.URIRef'>, 'downloadUrl': <class 'rdflib.term.URIRef'>, 'downvoteCount': <class 'rdflib.term.URIRef'>, 'drainsTo': <class 'rdflib.term.URIRef'>, 'driveWheelConfiguration': <class 'rdflib.term.URIRef'>, 'dropoffLocation': <class 'rdflib.term.URIRef'>, 'dropoffTime': <class 'rdflib.term.URIRef'>, 'drug': <class 'rdflib.term.URIRef'>, 'drugClass': <class 'rdflib.term.URIRef'>, 'drugUnit': <class 'rdflib.term.URIRef'>, 'duns': <class 'rdflib.term.URIRef'>, 'duplicateTherapy': <class 'rdflib.term.URIRef'>, 'duration': <class 'rdflib.term.URIRef'>, 'durationOfWarranty': <class 'rdflib.term.URIRef'>, 'duringMedia': <class 'rdflib.term.URIRef'>, 'earlyPrepaymentPenalty': <class 'rdflib.term.URIRef'>, 'editEIDR': <class 'rdflib.term.URIRef'>, 'editor': <class 'rdflib.term.URIRef'>, 'eduQuestionType': <class 'rdflib.term.URIRef'>, 'educationRequirements': <class 'rdflib.term.URIRef'>, 'educationalAlignment': <class 'rdflib.term.URIRef'>, 'educationalCredentialAwarded': <class 'rdflib.term.URIRef'>, 'educationalFramework': <class 'rdflib.term.URIRef'>, 'educationalLevel': <class 'rdflib.term.URIRef'>, 'educationalProgramMode': <class 'rdflib.term.URIRef'>, 'educationalRole': <class 'rdflib.term.URIRef'>, 'educationalUse': <class 'rdflib.term.URIRef'>, 'elevation': <class 'rdflib.term.URIRef'>, 'eligibilityToWorkRequirement': <class 'rdflib.term.URIRef'>, 'eligibleCustomerType': <class 'rdflib.term.URIRef'>, 'eligibleDuration': <class 'rdflib.term.URIRef'>, 'eligibleQuantity': <class 'rdflib.term.URIRef'>, 'eligibleRegion': <class 'rdflib.term.URIRef'>, 'eligibleTransactionVolume': <class 'rdflib.term.URIRef'>, 'email': <class 'rdflib.term.URIRef'>, 'embedUrl': <class 'rdflib.term.URIRef'>, 'embeddedTextCaption': <class 'rdflib.term.URIRef'>, 'emissionsCO2': <class 'rdflib.term.URIRef'>, 'employee': <class 'rdflib.term.URIRef'>, 'employees': <class 'rdflib.term.URIRef'>, 'employerOverview': <class 'rdflib.term.URIRef'>, 'employmentType': <class 'rdflib.term.URIRef'>, 'employmentUnit': <class 'rdflib.term.URIRef'>, 'encodesBioChemEntity': <class 'rdflib.term.URIRef'>, 'encodesCreativeWork': <class 'rdflib.term.URIRef'>, 'encoding': <class 'rdflib.term.URIRef'>, 'encodingFormat': <class 'rdflib.term.URIRef'>, 'encodingType': <class 'rdflib.term.URIRef'>, 'encodings': <class 'rdflib.term.URIRef'>, 'endDate': <class 'rdflib.term.URIRef'>, 'endOffset': <class 'rdflib.term.URIRef'>, 'endTime': <class 'rdflib.term.URIRef'>, 'endorsee': <class 'rdflib.term.URIRef'>, 'endorsers': <class 'rdflib.term.URIRef'>, 'energyEfficiencyScaleMax': <class 'rdflib.term.URIRef'>, 'energyEfficiencyScaleMin': <class 'rdflib.term.URIRef'>, 'engineDisplacement': <class 'rdflib.term.URIRef'>, 'enginePower': <class 'rdflib.term.URIRef'>, 'engineType': <class 'rdflib.term.URIRef'>, 'entertainmentBusiness': <class 'rdflib.term.URIRef'>, 'epidemiology': <class 'rdflib.term.URIRef'>, 'episode': <class 'rdflib.term.URIRef'>, 'episodeNumber': <class 'rdflib.term.URIRef'>, 'episodes': <class 'rdflib.term.URIRef'>, 'equal': <class 'rdflib.term.URIRef'>, 'error': <class 'rdflib.term.URIRef'>, 'estimatedCost': <class 'rdflib.term.URIRef'>, 'estimatedFlightDuration': <class 'rdflib.term.URIRef'>, 'estimatedSalary': <class 'rdflib.term.URIRef'>, 'estimatesRiskOf': <class 'rdflib.term.URIRef'>, 'ethicsPolicy': <class 'rdflib.term.URIRef'>, 'event': <class 'rdflib.term.URIRef'>, 'eventAttendanceMode': <class 'rdflib.term.URIRef'>, 'eventSchedule': <class 'rdflib.term.URIRef'>, 'eventStatus': <class 'rdflib.term.URIRef'>, 'events': <class 'rdflib.term.URIRef'>, 'evidenceLevel': <class 'rdflib.term.URIRef'>, 'evidenceOrigin': <class 'rdflib.term.URIRef'>, 'exampleOfWork': <class 'rdflib.term.URIRef'>, 'exceptDate': <class 'rdflib.term.URIRef'>, 'exchangeRateSpread': <class 'rdflib.term.URIRef'>, 'executableLibraryName': <class 'rdflib.term.URIRef'>, 'exerciseCourse': <class 'rdflib.term.URIRef'>, 'exercisePlan': <class 'rdflib.term.URIRef'>, 'exerciseRelatedDiet': <class 'rdflib.term.URIRef'>, 'exerciseType': <class 'rdflib.term.URIRef'>, 'exifData': <class 'rdflib.term.URIRef'>, 'expectedArrivalFrom': <class 'rdflib.term.URIRef'>, 'expectedArrivalUntil': <class 'rdflib.term.URIRef'>, 'expectedPrognosis': <class 'rdflib.term.URIRef'>, 'expectsAcceptanceOf': <class 'rdflib.term.URIRef'>, 'experienceInPlaceOfEducation': <class 'rdflib.term.URIRef'>, 'experienceRequirements': <class 'rdflib.term.URIRef'>, 'expertConsiderations': <class 'rdflib.term.URIRef'>, 'expires': <class 'rdflib.term.URIRef'>, 'expressedIn': <class 'rdflib.term.URIRef'>, 'familyName': <class 'rdflib.term.URIRef'>, 'fatContent': <class 'rdflib.term.URIRef'>, 'faxNumber': <class 'rdflib.term.URIRef'>, 'featureList': <class 'rdflib.term.URIRef'>, 'feesAndCommissionsSpecification': <class 'rdflib.term.URIRef'>, 'fiberContent': <class 'rdflib.term.URIRef'>, 'fileFormat': <class 'rdflib.term.URIRef'>, 'fileSize': <class 'rdflib.term.URIRef'>, 'financialAidEligible': <class 'rdflib.term.URIRef'>, 'firstAppearance': <class 'rdflib.term.URIRef'>, 'firstPerformance': <class 'rdflib.term.URIRef'>, 'flightDistance': <class 'rdflib.term.URIRef'>, 'flightNumber': <class 'rdflib.term.URIRef'>, 'floorLevel': <class 'rdflib.term.URIRef'>, 'floorLimit': <class 'rdflib.term.URIRef'>, 'floorSize': <class 'rdflib.term.URIRef'>, 'followee': <class 'rdflib.term.URIRef'>, 'follows': <class 'rdflib.term.URIRef'>, 'followup': <class 'rdflib.term.URIRef'>, 'foodEstablishment': <class 'rdflib.term.URIRef'>, 'foodEvent': <class 'rdflib.term.URIRef'>, 'foodWarning': <class 'rdflib.term.URIRef'>, 'founder': <class 'rdflib.term.URIRef'>, 'founders': <class 'rdflib.term.URIRef'>, 'foundingDate': <class 'rdflib.term.URIRef'>, 'foundingLocation': <class 'rdflib.term.URIRef'>, 'free': <class 'rdflib.term.URIRef'>, 'freeShippingThreshold': <class 'rdflib.term.URIRef'>, 'frequency': <class 'rdflib.term.URIRef'>, 'fromLocation': <class 'rdflib.term.URIRef'>, 'fuelCapacity': <class 'rdflib.term.URIRef'>, 'fuelConsumption': <class 'rdflib.term.URIRef'>, 'fuelEfficiency': <class 'rdflib.term.URIRef'>, 'fuelType': <class 'rdflib.term.URIRef'>, 'functionalClass': <class 'rdflib.term.URIRef'>, 'fundedItem': <class 'rdflib.term.URIRef'>, 'funder': <class 'rdflib.term.URIRef'>, 'game': <class 'rdflib.term.URIRef'>, 'gameItem': <class 'rdflib.term.URIRef'>, 'gameLocation': <class 'rdflib.term.URIRef'>, 'gamePlatform': <class 'rdflib.term.URIRef'>, 'gameServer': <class 'rdflib.term.URIRef'>, 'gameTip': <class 'rdflib.term.URIRef'>, 'gender': <class 'rdflib.term.URIRef'>, 'genre': <class 'rdflib.term.URIRef'>, 'geo': <class 'rdflib.term.URIRef'>, 'geoContains': <class 'rdflib.term.URIRef'>, 'geoCoveredBy': <class 'rdflib.term.URIRef'>, 'geoCovers': <class 'rdflib.term.URIRef'>, 'geoCrosses': <class 'rdflib.term.URIRef'>, 'geoDisjoint': <class 'rdflib.term.URIRef'>, 'geoEquals': <class 'rdflib.term.URIRef'>, 'geoIntersects': <class 'rdflib.term.URIRef'>, 'geoMidpoint': <class 'rdflib.term.URIRef'>, 'geoOverlaps': <class 'rdflib.term.URIRef'>, 'geoRadius': <class 'rdflib.term.URIRef'>, 'geoTouches': <class 'rdflib.term.URIRef'>, 'geoWithin': <class 'rdflib.term.URIRef'>, 'geographicArea': <class 'rdflib.term.URIRef'>, 'gettingTestedInfo': <class 'rdflib.term.URIRef'>, 'givenName': <class 'rdflib.term.URIRef'>, 'globalLocationNumber': <class 'rdflib.term.URIRef'>, 'governmentBenefitsInfo': <class 'rdflib.term.URIRef'>, 'gracePeriod': <class 'rdflib.term.URIRef'>, 'grantee': <class 'rdflib.term.URIRef'>, 'greater': <class 'rdflib.term.URIRef'>, 'greaterOrEqual': <class 'rdflib.term.URIRef'>, 'gtin': <class 'rdflib.term.URIRef'>, 'gtin12': <class 'rdflib.term.URIRef'>, 'gtin13': <class 'rdflib.term.URIRef'>, 'gtin14': <class 'rdflib.term.URIRef'>, 'gtin8': <class 'rdflib.term.URIRef'>, 'guideline': <class 'rdflib.term.URIRef'>, 'guidelineDate': <class 'rdflib.term.URIRef'>, 'guidelineSubject': <class 'rdflib.term.URIRef'>, 'handlingTime': <class 'rdflib.term.URIRef'>, 'hasBioChemEntityPart': <class 'rdflib.term.URIRef'>, 'hasBioPolymerSequence': <class 'rdflib.term.URIRef'>, 'hasBroadcastChannel': <class 'rdflib.term.URIRef'>, 'hasCategoryCode': <class 'rdflib.term.URIRef'>, 'hasCourse': <class 'rdflib.term.URIRef'>, 'hasCourseInstance': <class 'rdflib.term.URIRef'>, 'hasCredential': <class 'rdflib.term.URIRef'>, 'hasDefinedTerm': <class 'rdflib.term.URIRef'>, 'hasDeliveryMethod': <class 'rdflib.term.URIRef'>, 'hasDigitalDocumentPermission': <class 'rdflib.term.URIRef'>, 'hasDriveThroughService': <class 'rdflib.term.URIRef'>, 'hasEnergyConsumptionDetails': <class 'rdflib.term.URIRef'>, 'hasEnergyEfficiencyCategory': <class 'rdflib.term.URIRef'>, 'hasHealthAspect': <class 'rdflib.term.URIRef'>, 'hasMap': <class 'rdflib.term.URIRef'>, 'hasMeasurement': <class 'rdflib.term.URIRef'>, 'hasMenu': <class 'rdflib.term.URIRef'>, 'hasMenuItem': <class 'rdflib.term.URIRef'>, 'hasMenuSection': <class 'rdflib.term.URIRef'>, 'hasMerchantReturnPolicy': <class 'rdflib.term.URIRef'>, 'hasMolecularFunction': <class 'rdflib.term.URIRef'>, 'hasOccupation': <class 'rdflib.term.URIRef'>, 'hasOfferCatalog': <class 'rdflib.term.URIRef'>, 'hasPOS': <class 'rdflib.term.URIRef'>, 'hasPart': <class 'rdflib.term.URIRef'>, 'hasRepresentation': <class 'rdflib.term.URIRef'>, 'hasVariant': <class 'rdflib.term.URIRef'>, 'headline': <class 'rdflib.term.URIRef'>, 'healthCondition': <class 'rdflib.term.URIRef'>, 'healthPlanCoinsuranceOption': <class 'rdflib.term.URIRef'>, 'healthPlanCoinsuranceRate': <class 'rdflib.term.URIRef'>, 'healthPlanCopay': <class 'rdflib.term.URIRef'>, 'healthPlanCopayOption': <class 'rdflib.term.URIRef'>, 'healthPlanCostSharing': <class 'rdflib.term.URIRef'>, 'healthPlanDrugOption': <class 'rdflib.term.URIRef'>, 'healthPlanDrugTier': <class 'rdflib.term.URIRef'>, 'healthPlanId': <class 'rdflib.term.URIRef'>, 'healthPlanMarketingUrl': <class 'rdflib.term.URIRef'>, 'healthPlanNetworkId': <class 'rdflib.term.URIRef'>, 'healthPlanNetworkTier': <class 'rdflib.term.URIRef'>, 'healthPlanPharmacyCategory': <class 'rdflib.term.URIRef'>, 'healthcareReportingData': <class 'rdflib.term.URIRef'>, 'height': <class 'rdflib.term.URIRef'>, 'highPrice': <class 'rdflib.term.URIRef'>, 'hiringOrganization': <class 'rdflib.term.URIRef'>, 'holdingArchive': <class 'rdflib.term.URIRef'>, 'homeLocation': <class 'rdflib.term.URIRef'>, 'homeTeam': <class 'rdflib.term.URIRef'>, 'honorificPrefix': <class 'rdflib.term.URIRef'>, 'honorificSuffix': <class 'rdflib.term.URIRef'>, 'hospitalAffiliation': <class 'rdflib.term.URIRef'>, 'hostingOrganization': <class 'rdflib.term.URIRef'>, 'hoursAvailable': <class 'rdflib.term.URIRef'>, 'howPerformed': <class 'rdflib.term.URIRef'>, 'httpMethod': <class 'rdflib.term.URIRef'>, 'iataCode': <class 'rdflib.term.URIRef'>, 'icaoCode': <class 'rdflib.term.URIRef'>, 'identifier': <class 'rdflib.term.URIRef'>, 'identifyingExam': <class 'rdflib.term.URIRef'>, 'identifyingTest': <class 'rdflib.term.URIRef'>, 'illustrator': <class 'rdflib.term.URIRef'>, 'image': <class 'rdflib.term.URIRef'>, 'imagingTechnique': <class 'rdflib.term.URIRef'>, 'inAlbum': <class 'rdflib.term.URIRef'>, 'inBroadcastLineup': <class 'rdflib.term.URIRef'>, 'inChI': <class 'rdflib.term.URIRef'>, 'inChIKey': <class 'rdflib.term.URIRef'>, 'inCodeSet': <class 'rdflib.term.URIRef'>, 'inDefinedTermSet': <class 'rdflib.term.URIRef'>, 'inLanguage': <class 'rdflib.term.URIRef'>, 'inPlaylist': <class 'rdflib.term.URIRef'>, 'inProductGroupWithID': <class 'rdflib.term.URIRef'>, 'inStoreReturnsOffered': <class 'rdflib.term.URIRef'>, 'inSupportOf': <class 'rdflib.term.URIRef'>, 'incentiveCompensation': <class 'rdflib.term.URIRef'>, 'incentives': <class 'rdflib.term.URIRef'>, 'includedComposition': <class 'rdflib.term.URIRef'>, 'includedDataCatalog': <class 'rdflib.term.URIRef'>, 'includedInDataCatalog': <class 'rdflib.term.URIRef'>, 'includedInHealthInsurancePlan': <class 'rdflib.term.URIRef'>, 'includedRiskFactor': <class 'rdflib.term.URIRef'>, 'includesAttraction': <class 'rdflib.term.URIRef'>, 'includesHealthPlanFormulary': <class 'rdflib.term.URIRef'>, 'includesHealthPlanNetwork': <class 'rdflib.term.URIRef'>, 'includesObject': <class 'rdflib.term.URIRef'>, 'increasesRiskOf': <class 'rdflib.term.URIRef'>, 'industry': <class 'rdflib.term.URIRef'>, 'ineligibleRegion': <class 'rdflib.term.URIRef'>, 'infectiousAgent': <class 'rdflib.term.URIRef'>, 'infectiousAgentClass': <class 'rdflib.term.URIRef'>, 'ingredients': <class 'rdflib.term.URIRef'>, 'inker': <class 'rdflib.term.URIRef'>, 'insertion': <class 'rdflib.term.URIRef'>, 'installUrl': <class 'rdflib.term.URIRef'>, 'instructor': <class 'rdflib.term.URIRef'>, 'instrument': <class 'rdflib.term.URIRef'>, 'intensity': <class 'rdflib.term.URIRef'>, 'interactingDrug': <class 'rdflib.term.URIRef'>, 'interactionCount': <class 'rdflib.term.URIRef'>, 'interactionService': <class 'rdflib.term.URIRef'>, 'interactionStatistic': <class 'rdflib.term.URIRef'>, 'interactionType': <class 'rdflib.term.URIRef'>, 'interactivityType': <class 'rdflib.term.URIRef'>, 'interestRate': <class 'rdflib.term.URIRef'>, 'interpretedAsClaim': <class 'rdflib.term.URIRef'>, 'inventoryLevel': <class 'rdflib.term.URIRef'>, 'inverseOf': <class 'rdflib.term.URIRef'>, 'isAcceptingNewPatients': <class 'rdflib.term.URIRef'>, 'isAccessibleForFree': <class 'rdflib.term.URIRef'>, 'isAccessoryOrSparePartFor': <class 'rdflib.term.URIRef'>, 'isAvailableGenerically': <class 'rdflib.term.URIRef'>, 'isBasedOn': <class 'rdflib.term.URIRef'>, 'isBasedOnUrl': <class 'rdflib.term.URIRef'>, 'isConsumableFor': <class 'rdflib.term.URIRef'>, 'isEncodedByBioChemEntity': <class 'rdflib.term.URIRef'>, 'isFamilyFriendly': <class 'rdflib.term.URIRef'>, 'isGift': <class 'rdflib.term.URIRef'>, 'isInvolvedInBiologicalProcess': <class 'rdflib.term.URIRef'>, 'isLiveBroadcast': <class 'rdflib.term.URIRef'>, 'isLocatedInSubcellularLocation': <class 'rdflib.term.URIRef'>, 'isPartOf': <class 'rdflib.term.URIRef'>, 'isPartOfBioChemEntity': <class 'rdflib.term.URIRef'>, 'isPlanForApartment': <class 'rdflib.term.URIRef'>, 'isProprietary': <class 'rdflib.term.URIRef'>, 'isRelatedTo': <class 'rdflib.term.URIRef'>, 'isResizable': <class 'rdflib.term.URIRef'>, 'isSimilarTo': <class 'rdflib.term.URIRef'>, 'isUnlabelledFallback': <class 'rdflib.term.URIRef'>, 'isVariantOf': <class 'rdflib.term.URIRef'>, 'isbn': <class 'rdflib.term.URIRef'>, 'isicV4': <class 'rdflib.term.URIRef'>, 'isrcCode': <class 'rdflib.term.URIRef'>, 'issn': <class 'rdflib.term.URIRef'>, 'issueNumber': <class 'rdflib.term.URIRef'>, 'issuedBy': <class 'rdflib.term.URIRef'>, 'issuedThrough': <class 'rdflib.term.URIRef'>, 'iswcCode': <class 'rdflib.term.URIRef'>, 'item': <class 'rdflib.term.URIRef'>, 'itemCondition': <class 'rdflib.term.URIRef'>, 'itemDefectReturnFees': <class 'rdflib.term.URIRef'>, 'itemDefectReturnLabelSource': <class 'rdflib.term.URIRef'>, 'itemDefectReturnShippingFeesAmount': <class 'rdflib.term.URIRef'>, 'itemListElement': <class 'rdflib.term.URIRef'>, 'itemListOrder': <class 'rdflib.term.URIRef'>, 'itemLocation': <class 'rdflib.term.URIRef'>, 'itemOffered': <class 'rdflib.term.URIRef'>, 'itemReviewed': <class 'rdflib.term.URIRef'>, 'itemShipped': <class 'rdflib.term.URIRef'>, 'itinerary': <class 'rdflib.term.URIRef'>, 'iupacName': <class 'rdflib.term.URIRef'>, 'jobBenefits': <class 'rdflib.term.URIRef'>, 'jobImmediateStart': <class 'rdflib.term.URIRef'>, 'jobLocation': <class 'rdflib.term.URIRef'>, 'jobLocationType': <class 'rdflib.term.URIRef'>, 'jobStartDate': <class 'rdflib.term.URIRef'>, 'jobTitle': <class 'rdflib.term.URIRef'>, 'jurisdiction': <class 'rdflib.term.URIRef'>, 'keywords': <class 'rdflib.term.URIRef'>, 'knownVehicleDamages': <class 'rdflib.term.URIRef'>, 'knows': <class 'rdflib.term.URIRef'>, 'knowsAbout': <class 'rdflib.term.URIRef'>, 'knowsLanguage': <class 'rdflib.term.URIRef'>, 'labelDetails': <class 'rdflib.term.URIRef'>, 'landlord': <class 'rdflib.term.URIRef'>, 'language': <class 'rdflib.term.URIRef'>, 'lastReviewed': <class 'rdflib.term.URIRef'>, 'latitude': <class 'rdflib.term.URIRef'>, 'layoutImage': <class 'rdflib.term.URIRef'>, 'learningResourceType': <class 'rdflib.term.URIRef'>, 'leaseLength': <class 'rdflib.term.URIRef'>, 'legalName': <class 'rdflib.term.URIRef'>, 'legalStatus': <class 'rdflib.term.URIRef'>, 'legislationApplies': <class 'rdflib.term.URIRef'>, 'legislationChanges': <class 'rdflib.term.URIRef'>, 'legislationConsolidates': <class 'rdflib.term.URIRef'>, 'legislationDate': <class 'rdflib.term.URIRef'>, 'legislationDateVersion': <class 'rdflib.term.URIRef'>, 'legislationIdentifier': <class 'rdflib.term.URIRef'>, 'legislationJurisdiction': <class 'rdflib.term.URIRef'>, 'legislationLegalForce': <class 'rdflib.term.URIRef'>, 'legislationLegalValue': <class 'rdflib.term.URIRef'>, 'legislationPassedBy': <class 'rdflib.term.URIRef'>, 'legislationResponsible': <class 'rdflib.term.URIRef'>, 'legislationTransposes': <class 'rdflib.term.URIRef'>, 'legislationType': <class 'rdflib.term.URIRef'>, 'leiCode': <class 'rdflib.term.URIRef'>, 'lender': <class 'rdflib.term.URIRef'>, 'lesser': <class 'rdflib.term.URIRef'>, 'lesserOrEqual': <class 'rdflib.term.URIRef'>, 'letterer': <class 'rdflib.term.URIRef'>, 'license': <class 'rdflib.term.URIRef'>, 'line': <class 'rdflib.term.URIRef'>, 'linkRelationship': <class 'rdflib.term.URIRef'>, 'liveBlogUpdate': <class 'rdflib.term.URIRef'>, 'loanMortgageMandateAmount': <class 'rdflib.term.URIRef'>, 'loanPaymentAmount': <class 'rdflib.term.URIRef'>, 'loanPaymentFrequency': <class 'rdflib.term.URIRef'>, 'loanRepaymentForm': <class 'rdflib.term.URIRef'>, 'loanTerm': <class 'rdflib.term.URIRef'>, 'loanType': <class 'rdflib.term.URIRef'>, 'location': <class 'rdflib.term.URIRef'>, 'locationCreated': <class 'rdflib.term.URIRef'>, 'lodgingUnitDescription': <class 'rdflib.term.URIRef'>, 'lodgingUnitType': <class 'rdflib.term.URIRef'>, 'logo': <class 'rdflib.term.URIRef'>, 'longitude': <class 'rdflib.term.URIRef'>, 'loser': <class 'rdflib.term.URIRef'>, 'lowPrice': <class 'rdflib.term.URIRef'>, 'lyricist': <class 'rdflib.term.URIRef'>, 'lyrics': <class 'rdflib.term.URIRef'>, 'mainContentOfPage': <class 'rdflib.term.URIRef'>, 'mainEntity': <class 'rdflib.term.URIRef'>, 'mainEntityOfPage': <class 'rdflib.term.URIRef'>, 'maintainer': <class 'rdflib.term.URIRef'>, 'makesOffer': <class 'rdflib.term.URIRef'>, 'manufacturer': <class 'rdflib.term.URIRef'>, 'map': <class 'rdflib.term.URIRef'>, 'mapType': <class 'rdflib.term.URIRef'>, 'maps': <class 'rdflib.term.URIRef'>, 'marginOfError': <class 'rdflib.term.URIRef'>, 'masthead': <class 'rdflib.term.URIRef'>, 'material': <class 'rdflib.term.URIRef'>, 'materialExtent': <class 'rdflib.term.URIRef'>, 'mathExpression': <class 'rdflib.term.URIRef'>, 'maxPrice': <class 'rdflib.term.URIRef'>, 'maxValue': <class 'rdflib.term.URIRef'>, 'maximumAttendeeCapacity': <class 'rdflib.term.URIRef'>, 'maximumEnrollment': <class 'rdflib.term.URIRef'>, 'maximumIntake': <class 'rdflib.term.URIRef'>, 'maximumPhysicalAttendeeCapacity': <class 'rdflib.term.URIRef'>, 'maximumVirtualAttendeeCapacity': <class 'rdflib.term.URIRef'>, 'mealService': <class 'rdflib.term.URIRef'>, 'measuredProperty': <class 'rdflib.term.URIRef'>, 'measuredValue': <class 'rdflib.term.URIRef'>, 'measurementTechnique': <class 'rdflib.term.URIRef'>, 'mechanismOfAction': <class 'rdflib.term.URIRef'>, 'mediaAuthenticityCategory': <class 'rdflib.term.URIRef'>, 'mediaItemAppearance': <class 'rdflib.term.URIRef'>, 'median': <class 'rdflib.term.URIRef'>, 'medicalAudience': <class 'rdflib.term.URIRef'>, 'medicalSpecialty': <class 'rdflib.term.URIRef'>, 'medicineSystem': <class 'rdflib.term.URIRef'>, 'meetsEmissionStandard': <class 'rdflib.term.URIRef'>, 'member': <class 'rdflib.term.URIRef'>, 'memberOf': <class 'rdflib.term.URIRef'>, 'members': <class 'rdflib.term.URIRef'>, 'membershipNumber': <class 'rdflib.term.URIRef'>, 'membershipPointsEarned': <class 'rdflib.term.URIRef'>, 'memoryRequirements': <class 'rdflib.term.URIRef'>, 'mentions': <class 'rdflib.term.URIRef'>, 'menu': <class 'rdflib.term.URIRef'>, 'menuAddOn': <class 'rdflib.term.URIRef'>, 'merchant': <class 'rdflib.term.URIRef'>, 'merchantReturnDays': <class 'rdflib.term.URIRef'>, 'merchantReturnLink': <class 'rdflib.term.URIRef'>, 'messageAttachment': <class 'rdflib.term.URIRef'>, 'mileageFromOdometer': <class 'rdflib.term.URIRef'>, 'minPrice': <class 'rdflib.term.URIRef'>, 'minValue': <class 'rdflib.term.URIRef'>, 'minimumPaymentDue': <class 'rdflib.term.URIRef'>, 'missionCoveragePrioritiesPolicy': <class 'rdflib.term.URIRef'>, 'model': <class 'rdflib.term.URIRef'>, 'modelDate': <class 'rdflib.term.URIRef'>, 'modifiedTime': <class 'rdflib.term.URIRef'>, 'molecularFormula': <class 'rdflib.term.URIRef'>, 'molecularWeight': <class 'rdflib.term.URIRef'>, 'monoisotopicMolecularWeight': <class 'rdflib.term.URIRef'>, 'monthlyMinimumRepaymentAmount': <class 'rdflib.term.URIRef'>, 'monthsOfExperience': <class 'rdflib.term.URIRef'>, 'mpn': <class 'rdflib.term.URIRef'>, 'multipleValues': <class 'rdflib.term.URIRef'>, 'muscleAction': <class 'rdflib.term.URIRef'>, 'musicArrangement': <class 'rdflib.term.URIRef'>, 'musicBy': <class 'rdflib.term.URIRef'>, 'musicCompositionForm': <class 'rdflib.term.URIRef'>, 'musicGroupMember': <class 'rdflib.term.URIRef'>, 'musicReleaseFormat': <class 'rdflib.term.URIRef'>, 'musicalKey': <class 'rdflib.term.URIRef'>, 'naics': <class 'rdflib.term.URIRef'>, 'name': <class 'rdflib.term.URIRef'>, 'namedPosition': <class 'rdflib.term.URIRef'>, 'nationality': <class 'rdflib.term.URIRef'>, 'naturalProgression': <class 'rdflib.term.URIRef'>, 'negativeNotes': <class 'rdflib.term.URIRef'>, 'nerve': <class 'rdflib.term.URIRef'>, 'nerveMotor': <class 'rdflib.term.URIRef'>, 'netWorth': <class 'rdflib.term.URIRef'>, 'newsUpdatesAndGuidelines': <class 'rdflib.term.URIRef'>, 'nextItem': <class 'rdflib.term.URIRef'>, 'noBylinesPolicy': <class 'rdflib.term.URIRef'>, 'nonEqual': <class 'rdflib.term.URIRef'>, 'nonProprietaryName': <class 'rdflib.term.URIRef'>, 'nonprofitStatus': <class 'rdflib.term.URIRef'>, 'normalRange': <class 'rdflib.term.URIRef'>, 'nsn': <class 'rdflib.term.URIRef'>, 'numAdults': <class 'rdflib.term.URIRef'>, 'numChildren': <class 'rdflib.term.URIRef'>, 'numConstraints': <class 'rdflib.term.URIRef'>, 'numTracks': <class 'rdflib.term.URIRef'>, 'numberOfAccommodationUnits': <class 'rdflib.term.URIRef'>, 'numberOfAirbags': <class 'rdflib.term.URIRef'>, 'numberOfAvailableAccommodationUnits': <class 'rdflib.term.URIRef'>, 'numberOfAxles': <class 'rdflib.term.URIRef'>, 'numberOfBathroomsTotal': <class 'rdflib.term.URIRef'>, 'numberOfBedrooms': <class 'rdflib.term.URIRef'>, 'numberOfBeds': <class 'rdflib.term.URIRef'>, 'numberOfCredits': <class 'rdflib.term.URIRef'>, 'numberOfDoors': <class 'rdflib.term.URIRef'>, 'numberOfEmployees': <class 'rdflib.term.URIRef'>, 'numberOfEpisodes': <class 'rdflib.term.URIRef'>, 'numberOfForwardGears': <class 'rdflib.term.URIRef'>, 'numberOfFullBathrooms': <class 'rdflib.term.URIRef'>, 'numberOfItems': <class 'rdflib.term.URIRef'>, 'numberOfLoanPayments': <class 'rdflib.term.URIRef'>, 'numberOfPages': <class 'rdflib.term.URIRef'>, 'numberOfPartialBathrooms': <class 'rdflib.term.URIRef'>, 'numberOfPlayers': <class 'rdflib.term.URIRef'>, 'numberOfPreviousOwners': <class 'rdflib.term.URIRef'>, 'numberOfRooms': <class 'rdflib.term.URIRef'>, 'numberOfSeasons': <class 'rdflib.term.URIRef'>, 'numberedPosition': <class 'rdflib.term.URIRef'>, 'nutrition': <class 'rdflib.term.URIRef'>, 'object': <class 'rdflib.term.URIRef'>, 'observationDate': <class 'rdflib.term.URIRef'>, 'observedNode': <class 'rdflib.term.URIRef'>, 'occupancy': <class 'rdflib.term.URIRef'>, 'occupationLocation': <class 'rdflib.term.URIRef'>, 'occupationalCategory': <class 'rdflib.term.URIRef'>, 'occupationalCredentialAwarded': <class 'rdflib.term.URIRef'>, 'offerCount': <class 'rdflib.term.URIRef'>, 'offeredBy': <class 'rdflib.term.URIRef'>, 'offers': <class 'rdflib.term.URIRef'>, 'offersPrescriptionByMail': <class 'rdflib.term.URIRef'>, 'openingHours': <class 'rdflib.term.URIRef'>, 'openingHoursSpecification': <class 'rdflib.term.URIRef'>, 'opens': <class 'rdflib.term.URIRef'>, 'operatingSystem': <class 'rdflib.term.URIRef'>, 'opponent': <class 'rdflib.term.URIRef'>, 'option': <class 'rdflib.term.URIRef'>, 'orderDate': <class 'rdflib.term.URIRef'>, 'orderDelivery': <class 'rdflib.term.URIRef'>, 'orderItemNumber': <class 'rdflib.term.URIRef'>, 'orderItemStatus': <class 'rdflib.term.URIRef'>, 'orderNumber': <class 'rdflib.term.URIRef'>, 'orderQuantity': <class 'rdflib.term.URIRef'>, 'orderStatus': <class 'rdflib.term.URIRef'>, 'orderedItem': <class 'rdflib.term.URIRef'>, 'organizer': <class 'rdflib.term.URIRef'>, 'originAddress': <class 'rdflib.term.URIRef'>, 'originalMediaContextDescription': <class 'rdflib.term.URIRef'>, 'originalMediaLink': <class 'rdflib.term.URIRef'>, 'originatesFrom': <class 'rdflib.term.URIRef'>, 'overdosage': <class 'rdflib.term.URIRef'>, 'ownedFrom': <class 'rdflib.term.URIRef'>, 'ownedThrough': <class 'rdflib.term.URIRef'>, 'ownershipFundingInfo': <class 'rdflib.term.URIRef'>, 'owns': <class 'rdflib.term.URIRef'>, 'pageEnd': <class 'rdflib.term.URIRef'>, 'pageStart': <class 'rdflib.term.URIRef'>, 'pagination': <class 'rdflib.term.URIRef'>, 'parent': <class 'rdflib.term.URIRef'>, 'parentItem': <class 'rdflib.term.URIRef'>, 'parentOrganization': <class 'rdflib.term.URIRef'>, 'parentService': <class 'rdflib.term.URIRef'>, 'parentTaxon': <class 'rdflib.term.URIRef'>, 'parents': <class 'rdflib.term.URIRef'>, 'partOfEpisode': <class 'rdflib.term.URIRef'>, 'partOfInvoice': <class 'rdflib.term.URIRef'>, 'partOfOrder': <class 'rdflib.term.URIRef'>, 'partOfSeason': <class 'rdflib.term.URIRef'>, 'partOfSeries': <class 'rdflib.term.URIRef'>, 'partOfSystem': <class 'rdflib.term.URIRef'>, 'partOfTVSeries': <class 'rdflib.term.URIRef'>, 'partOfTrip': <class 'rdflib.term.URIRef'>, 'participant': <class 'rdflib.term.URIRef'>, 'partySize': <class 'rdflib.term.URIRef'>, 'passengerPriorityStatus': <class 'rdflib.term.URIRef'>, 'passengerSequenceNumber': <class 'rdflib.term.URIRef'>, 'pathophysiology': <class 'rdflib.term.URIRef'>, 'pattern': <class 'rdflib.term.URIRef'>, 'payload': <class 'rdflib.term.URIRef'>, 'paymentAccepted': <class 'rdflib.term.URIRef'>, 'paymentDue': <class 'rdflib.term.URIRef'>, 'paymentDueDate': <class 'rdflib.term.URIRef'>, 'paymentMethod': <class 'rdflib.term.URIRef'>, 'paymentMethodId': <class 'rdflib.term.URIRef'>, 'paymentStatus': <class 'rdflib.term.URIRef'>, 'paymentUrl': <class 'rdflib.term.URIRef'>, 'penciler': <class 'rdflib.term.URIRef'>, 'percentile10': <class 'rdflib.term.URIRef'>, 'percentile25': <class 'rdflib.term.URIRef'>, 'percentile75': <class 'rdflib.term.URIRef'>, 'percentile90': <class 'rdflib.term.URIRef'>, 'performTime': <class 'rdflib.term.URIRef'>, 'performer': <class 'rdflib.term.URIRef'>, 'performerIn': <class 'rdflib.term.URIRef'>, 'performers': <class 'rdflib.term.URIRef'>, 'permissionType': <class 'rdflib.term.URIRef'>, 'permissions': <class 'rdflib.term.URIRef'>, 'permitAudience': <class 'rdflib.term.URIRef'>, 'permittedUsage': <class 'rdflib.term.URIRef'>, 'petsAllowed': <class 'rdflib.term.URIRef'>, 'phoneticText': <class 'rdflib.term.URIRef'>, 'photo': <class 'rdflib.term.URIRef'>, 'photos': <class 'rdflib.term.URIRef'>, 'physicalRequirement': <class 'rdflib.term.URIRef'>, 'physiologicalBenefits': <class 'rdflib.term.URIRef'>, 'pickupLocation': <class 'rdflib.term.URIRef'>, 'pickupTime': <class 'rdflib.term.URIRef'>, 'playMode': <class 'rdflib.term.URIRef'>, 'playerType': <class 'rdflib.term.URIRef'>, 'playersOnline': <class 'rdflib.term.URIRef'>, 'polygon': <class 'rdflib.term.URIRef'>, 'populationType': <class 'rdflib.term.URIRef'>, 'position': <class 'rdflib.term.URIRef'>, 'positiveNotes': <class 'rdflib.term.URIRef'>, 'possibleComplication': <class 'rdflib.term.URIRef'>, 'possibleTreatment': <class 'rdflib.term.URIRef'>, 'postOfficeBoxNumber': <class 'rdflib.term.URIRef'>, 'postOp': <class 'rdflib.term.URIRef'>, 'postalCode': <class 'rdflib.term.URIRef'>, 'postalCodeBegin': <class 'rdflib.term.URIRef'>, 'postalCodeEnd': <class 'rdflib.term.URIRef'>, 'postalCodePrefix': <class 'rdflib.term.URIRef'>, 'postalCodeRange': <class 'rdflib.term.URIRef'>, 'potentialAction': <class 'rdflib.term.URIRef'>, 'potentialUse': <class 'rdflib.term.URIRef'>, 'preOp': <class 'rdflib.term.URIRef'>, 'predecessorOf': <class 'rdflib.term.URIRef'>, 'pregnancyCategory': <class 'rdflib.term.URIRef'>, 'pregnancyWarning': <class 'rdflib.term.URIRef'>, 'prepTime': <class 'rdflib.term.URIRef'>, 'preparation': <class 'rdflib.term.URIRef'>, 'prescribingInfo': <class 'rdflib.term.URIRef'>, 'prescriptionStatus': <class 'rdflib.term.URIRef'>, 'previousItem': <class 'rdflib.term.URIRef'>, 'previousStartDate': <class 'rdflib.term.URIRef'>, 'price': <class 'rdflib.term.URIRef'>, 'priceComponent': <class 'rdflib.term.URIRef'>, 'priceComponentType': <class 'rdflib.term.URIRef'>, 'priceCurrency': <class 'rdflib.term.URIRef'>, 'priceRange': <class 'rdflib.term.URIRef'>, 'priceSpecification': <class 'rdflib.term.URIRef'>, 'priceType': <class 'rdflib.term.URIRef'>, 'priceValidUntil': <class 'rdflib.term.URIRef'>, 'primaryImageOfPage': <class 'rdflib.term.URIRef'>, 'primaryPrevention': <class 'rdflib.term.URIRef'>, 'printColumn': <class 'rdflib.term.URIRef'>, 'printEdition': <class 'rdflib.term.URIRef'>, 'printPage': <class 'rdflib.term.URIRef'>, 'printSection': <class 'rdflib.term.URIRef'>, 'procedure': <class 'rdflib.term.URIRef'>, 'procedureType': <class 'rdflib.term.URIRef'>, 'processingTime': <class 'rdflib.term.URIRef'>, 'processorRequirements': <class 'rdflib.term.URIRef'>, 'producer': <class 'rdflib.term.URIRef'>, 'produces': <class 'rdflib.term.URIRef'>, 'productGroupID': <class 'rdflib.term.URIRef'>, 'productID': <class 'rdflib.term.URIRef'>, 'productSupported': <class 'rdflib.term.URIRef'>, 'productionCompany': <class 'rdflib.term.URIRef'>, 'productionDate': <class 'rdflib.term.URIRef'>, 'proficiencyLevel': <class 'rdflib.term.URIRef'>, 'programMembershipUsed': <class 'rdflib.term.URIRef'>, 'programName': <class 'rdflib.term.URIRef'>, 'programPrerequisites': <class 'rdflib.term.URIRef'>, 'programType': <class 'rdflib.term.URIRef'>, 'programmingLanguage': <class 'rdflib.term.URIRef'>, 'programmingModel': <class 'rdflib.term.URIRef'>, 'propertyID': <class 'rdflib.term.URIRef'>, 'proprietaryName': <class 'rdflib.term.URIRef'>, 'proteinContent': <class 'rdflib.term.URIRef'>, 'provider': <class 'rdflib.term.URIRef'>, 'providerMobility': <class 'rdflib.term.URIRef'>, 'providesBroadcastService': <class 'rdflib.term.URIRef'>, 'providesService': <class 'rdflib.term.URIRef'>, 'publicAccess': <class 'rdflib.term.URIRef'>, 'publicTransportClosuresInfo': <class 'rdflib.term.URIRef'>, 'publication': <class 'rdflib.term.URIRef'>, 'publicationType': <class 'rdflib.term.URIRef'>, 'publishedBy': <class 'rdflib.term.URIRef'>, 'publishedOn': <class 'rdflib.term.URIRef'>, 'publisher': <class 'rdflib.term.URIRef'>, 'publisherImprint': <class 'rdflib.term.URIRef'>, 'publishingPrinciples': <class 'rdflib.term.URIRef'>, 'purchaseDate': <class 'rdflib.term.URIRef'>, 'qualifications': <class 'rdflib.term.URIRef'>, 'quarantineGuidelines': <class 'rdflib.term.URIRef'>, 'query': <class 'rdflib.term.URIRef'>, 'quest': <class 'rdflib.term.URIRef'>, 'question': <class 'rdflib.term.URIRef'>, 'rangeIncludes': <class 'rdflib.term.URIRef'>, 'ratingCount': <class 'rdflib.term.URIRef'>, 'ratingExplanation': <class 'rdflib.term.URIRef'>, 'ratingValue': <class 'rdflib.term.URIRef'>, 'readBy': <class 'rdflib.term.URIRef'>, 'readonlyValue': <class 'rdflib.term.URIRef'>, 'realEstateAgent': <class 'rdflib.term.URIRef'>, 'recipe': <class 'rdflib.term.URIRef'>, 'recipeCategory': <class 'rdflib.term.URIRef'>, 'recipeCuisine': <class 'rdflib.term.URIRef'>, 'recipeIngredient': <class 'rdflib.term.URIRef'>, 'recipeInstructions': <class 'rdflib.term.URIRef'>, 'recipeYield': <class 'rdflib.term.URIRef'>, 'recipient': <class 'rdflib.term.URIRef'>, 'recognizedBy': <class 'rdflib.term.URIRef'>, 'recognizingAuthority': <class 'rdflib.term.URIRef'>, 'recommendationStrength': <class 'rdflib.term.URIRef'>, 'recommendedIntake': <class 'rdflib.term.URIRef'>, 'recordLabel': <class 'rdflib.term.URIRef'>, 'recordedAs': <class 'rdflib.term.URIRef'>, 'recordedAt': <class 'rdflib.term.URIRef'>, 'recordedIn': <class 'rdflib.term.URIRef'>, 'recordingOf': <class 'rdflib.term.URIRef'>, 'recourseLoan': <class 'rdflib.term.URIRef'>, 'referenceQuantity': <class 'rdflib.term.URIRef'>, 'referencesOrder': <class 'rdflib.term.URIRef'>, 'refundType': <class 'rdflib.term.URIRef'>, 'regionDrained': <class 'rdflib.term.URIRef'>, 'regionsAllowed': <class 'rdflib.term.URIRef'>, 'relatedAnatomy': <class 'rdflib.term.URIRef'>, 'relatedCondition': <class 'rdflib.term.URIRef'>, 'relatedDrug': <class 'rdflib.term.URIRef'>, 'relatedLink': <class 'rdflib.term.URIRef'>, 'relatedStructure': <class 'rdflib.term.URIRef'>, 'relatedTherapy': <class 'rdflib.term.URIRef'>, 'relatedTo': <class 'rdflib.term.URIRef'>, 'releaseDate': <class 'rdflib.term.URIRef'>, 'releaseNotes': <class 'rdflib.term.URIRef'>, 'releaseOf': <class 'rdflib.term.URIRef'>, 'releasedEvent': <class 'rdflib.term.URIRef'>, 'relevantOccupation': <class 'rdflib.term.URIRef'>, 'relevantSpecialty': <class 'rdflib.term.URIRef'>, 'remainingAttendeeCapacity': <class 'rdflib.term.URIRef'>, 'renegotiableLoan': <class 'rdflib.term.URIRef'>, 'repeatCount': <class 'rdflib.term.URIRef'>, 'repeatFrequency': <class 'rdflib.term.URIRef'>, 'repetitions': <class 'rdflib.term.URIRef'>, 'replacee': <class 'rdflib.term.URIRef'>, 'replacer': <class 'rdflib.term.URIRef'>, 'replyToUrl': <class 'rdflib.term.URIRef'>, 'reportNumber': <class 'rdflib.term.URIRef'>, 'representativeOfPage': <class 'rdflib.term.URIRef'>, 'requiredCollateral': <class 'rdflib.term.URIRef'>, 'requiredGender': <class 'rdflib.term.URIRef'>, 'requiredMaxAge': <class 'rdflib.term.URIRef'>, 'requiredMinAge': <class 'rdflib.term.URIRef'>, 'requiredQuantity': <class 'rdflib.term.URIRef'>, 'requirements': <class 'rdflib.term.URIRef'>, 'requiresSubscription': <class 'rdflib.term.URIRef'>, 'reservationFor': <class 'rdflib.term.URIRef'>, 'reservationId': <class 'rdflib.term.URIRef'>, 'reservationStatus': <class 'rdflib.term.URIRef'>, 'reservedTicket': <class 'rdflib.term.URIRef'>, 'responsibilities': <class 'rdflib.term.URIRef'>, 'restPeriods': <class 'rdflib.term.URIRef'>, 'restockingFee': <class 'rdflib.term.URIRef'>, 'result': <class 'rdflib.term.URIRef'>, 'resultComment': <class 'rdflib.term.URIRef'>, 'resultReview': <class 'rdflib.term.URIRef'>, 'returnFees': <class 'rdflib.term.URIRef'>, 'returnLabelSource': <class 'rdflib.term.URIRef'>, 'returnMethod': <class 'rdflib.term.URIRef'>, 'returnPolicyCategory': <class 'rdflib.term.URIRef'>, 'returnPolicyCountry': <class 'rdflib.term.URIRef'>, 'returnPolicySeasonalOverride': <class 'rdflib.term.URIRef'>, 'returnShippingFeesAmount': <class 'rdflib.term.URIRef'>, 'review': <class 'rdflib.term.URIRef'>, 'reviewAspect': <class 'rdflib.term.URIRef'>, 'reviewBody': <class 'rdflib.term.URIRef'>, 'reviewCount': <class 'rdflib.term.URIRef'>, 'reviewRating': <class 'rdflib.term.URIRef'>, 'reviewedBy': <class 'rdflib.term.URIRef'>, 'reviews': <class 'rdflib.term.URIRef'>, 'riskFactor': <class 'rdflib.term.URIRef'>, 'risks': <class 'rdflib.term.URIRef'>, 'roleName': <class 'rdflib.term.URIRef'>, 'roofLoad': <class 'rdflib.term.URIRef'>, 'rsvpResponse': <class 'rdflib.term.URIRef'>, 'runsTo': <class 'rdflib.term.URIRef'>, 'runtime': <class 'rdflib.term.URIRef'>, 'runtimePlatform': <class 'rdflib.term.URIRef'>, 'rxcui': <class 'rdflib.term.URIRef'>, 'safetyConsideration': <class 'rdflib.term.URIRef'>, 'salaryCurrency': <class 'rdflib.term.URIRef'>, 'salaryUponCompletion': <class 'rdflib.term.URIRef'>, 'sameAs': <class 'rdflib.term.URIRef'>, 'sampleType': <class 'rdflib.term.URIRef'>, 'saturatedFatContent': <class 'rdflib.term.URIRef'>, 'scheduleTimezone': <class 'rdflib.term.URIRef'>, 'scheduledPaymentDate': <class 'rdflib.term.URIRef'>, 'scheduledTime': <class 'rdflib.term.URIRef'>, 'schemaVersion': <class 'rdflib.term.URIRef'>, 'schoolClosuresInfo': <class 'rdflib.term.URIRef'>, 'screenCount': <class 'rdflib.term.URIRef'>, 'screenshot': <class 'rdflib.term.URIRef'>, 'sdDatePublished': <class 'rdflib.term.URIRef'>, 'sdLicense': <class 'rdflib.term.URIRef'>, 'sdPublisher': <class 'rdflib.term.URIRef'>, 'season': <class 'rdflib.term.URIRef'>, 'seasonNumber': <class 'rdflib.term.URIRef'>, 'seasons': <class 'rdflib.term.URIRef'>, 'seatNumber': <class 'rdflib.term.URIRef'>, 'seatRow': <class 'rdflib.term.URIRef'>, 'seatSection': <class 'rdflib.term.URIRef'>, 'seatingCapacity': <class 'rdflib.term.URIRef'>, 'seatingType': <class 'rdflib.term.URIRef'>, 'secondaryPrevention': <class 'rdflib.term.URIRef'>, 'securityClearanceRequirement': <class 'rdflib.term.URIRef'>, 'securityScreening': <class 'rdflib.term.URIRef'>, 'seeks': <class 'rdflib.term.URIRef'>, 'seller': <class 'rdflib.term.URIRef'>, 'sender': <class 'rdflib.term.URIRef'>, 'sensoryRequirement': <class 'rdflib.term.URIRef'>, 'sensoryUnit': <class 'rdflib.term.URIRef'>, 'serialNumber': <class 'rdflib.term.URIRef'>, 'seriousAdverseOutcome': <class 'rdflib.term.URIRef'>, 'serverStatus': <class 'rdflib.term.URIRef'>, 'servesCuisine': <class 'rdflib.term.URIRef'>, 'serviceArea': <class 'rdflib.term.URIRef'>, 'serviceAudience': <class 'rdflib.term.URIRef'>, 'serviceLocation': <class 'rdflib.term.URIRef'>, 'serviceOperator': <class 'rdflib.term.URIRef'>, 'serviceOutput': <class 'rdflib.term.URIRef'>, 'servicePhone': <class 'rdflib.term.URIRef'>, 'servicePostalAddress': <class 'rdflib.term.URIRef'>, 'serviceSmsNumber': <class 'rdflib.term.URIRef'>, 'serviceType': <class 'rdflib.term.URIRef'>, 'serviceUrl': <class 'rdflib.term.URIRef'>, 'servingSize': <class 'rdflib.term.URIRef'>, 'sha256': <class 'rdflib.term.URIRef'>, 'sharedContent': <class 'rdflib.term.URIRef'>, 'shippingDestination': <class 'rdflib.term.URIRef'>, 'shippingDetails': <class 'rdflib.term.URIRef'>, 'shippingLabel': <class 'rdflib.term.URIRef'>, 'shippingRate': <class 'rdflib.term.URIRef'>, 'shippingSettingsLink': <class 'rdflib.term.URIRef'>, 'sibling': <class 'rdflib.term.URIRef'>, 'siblings': <class 'rdflib.term.URIRef'>, 'signDetected': <class 'rdflib.term.URIRef'>, 'signOrSymptom': <class 'rdflib.term.URIRef'>, 'significance': <class 'rdflib.term.URIRef'>, 'significantLink': <class 'rdflib.term.URIRef'>, 'significantLinks': <class 'rdflib.term.URIRef'>, 'size': <class 'rdflib.term.URIRef'>, 'sizeGroup': <class 'rdflib.term.URIRef'>, 'sizeSystem': <class 'rdflib.term.URIRef'>, 'skills': <class 'rdflib.term.URIRef'>, 'sku': <class 'rdflib.term.URIRef'>, 'slogan': <class 'rdflib.term.URIRef'>, 'smiles': <class 'rdflib.term.URIRef'>, 'smokingAllowed': <class 'rdflib.term.URIRef'>, 'sodiumContent': <class 'rdflib.term.URIRef'>, 'softwareAddOn': <class 'rdflib.term.URIRef'>, 'softwareHelp': <class 'rdflib.term.URIRef'>, 'softwareRequirements': <class 'rdflib.term.URIRef'>, 'softwareVersion': <class 'rdflib.term.URIRef'>, 'sourceOrganization': <class 'rdflib.term.URIRef'>, 'sourcedFrom': <class 'rdflib.term.URIRef'>, 'spatial': <class 'rdflib.term.URIRef'>, 'spatialCoverage': <class 'rdflib.term.URIRef'>, 'speakable': <class 'rdflib.term.URIRef'>, 'specialCommitments': <class 'rdflib.term.URIRef'>, 'specialOpeningHoursSpecification': <class 'rdflib.term.URIRef'>, 'specialty': <class 'rdflib.term.URIRef'>, 'speechToTextMarkup': <class 'rdflib.term.URIRef'>, 'speed': <class 'rdflib.term.URIRef'>, 'spokenByCharacter': <class 'rdflib.term.URIRef'>, 'sponsor': <class 'rdflib.term.URIRef'>, 'sport': <class 'rdflib.term.URIRef'>, 'sportsActivityLocation': <class 'rdflib.term.URIRef'>, 'sportsEvent': <class 'rdflib.term.URIRef'>, 'sportsTeam': <class 'rdflib.term.URIRef'>, 'spouse': <class 'rdflib.term.URIRef'>, 'stage': <class 'rdflib.term.URIRef'>, 'stageAsNumber': <class 'rdflib.term.URIRef'>, 'starRating': <class 'rdflib.term.URIRef'>, 'startDate': <class 'rdflib.term.URIRef'>, 'startOffset': <class 'rdflib.term.URIRef'>, 'startTime': <class 'rdflib.term.URIRef'>, 'status': <class 'rdflib.term.URIRef'>, 'steeringPosition': <class 'rdflib.term.URIRef'>, 'step': <class 'rdflib.term.URIRef'>, 'stepValue': <class 'rdflib.term.URIRef'>, 'steps': <class 'rdflib.term.URIRef'>, 'storageRequirements': <class 'rdflib.term.URIRef'>, 'streetAddress': <class 'rdflib.term.URIRef'>, 'strengthUnit': <class 'rdflib.term.URIRef'>, 'strengthValue': <class 'rdflib.term.URIRef'>, 'structuralClass': <class 'rdflib.term.URIRef'>, 'study': <class 'rdflib.term.URIRef'>, 'studyDesign': <class 'rdflib.term.URIRef'>, 'studyLocation': <class 'rdflib.term.URIRef'>, 'studySubject': <class 'rdflib.term.URIRef'>, 'subEvent': <class 'rdflib.term.URIRef'>, 'subEvents': <class 'rdflib.term.URIRef'>, 'subOrganization': <class 'rdflib.term.URIRef'>, 'subReservation': <class 'rdflib.term.URIRef'>, 'subStageSuffix': <class 'rdflib.term.URIRef'>, 'subStructure': <class 'rdflib.term.URIRef'>, 'subTest': <class 'rdflib.term.URIRef'>, 'subTrip': <class 'rdflib.term.URIRef'>, 'subjectOf': <class 'rdflib.term.URIRef'>, 'subtitleLanguage': <class 'rdflib.term.URIRef'>, 'successorOf': <class 'rdflib.term.URIRef'>, 'sugarContent': <class 'rdflib.term.URIRef'>, 'suggestedAge': <class 'rdflib.term.URIRef'>, 'suggestedAnswer': <class 'rdflib.term.URIRef'>, 'suggestedGender': <class 'rdflib.term.URIRef'>, 'suggestedMaxAge': <class 'rdflib.term.URIRef'>, 'suggestedMeasurement': <class 'rdflib.term.URIRef'>, 'suggestedMinAge': <class 'rdflib.term.URIRef'>, 'suitableForDiet': <class 'rdflib.term.URIRef'>, 'superEvent': <class 'rdflib.term.URIRef'>, 'supersededBy': <class 'rdflib.term.URIRef'>, 'supply': <class 'rdflib.term.URIRef'>, 'supplyTo': <class 'rdflib.term.URIRef'>, 'supportingData': <class 'rdflib.term.URIRef'>, 'surface': <class 'rdflib.term.URIRef'>, 'target': <class 'rdflib.term.URIRef'>, 'targetCollection': <class 'rdflib.term.URIRef'>, 'targetDescription': <class 'rdflib.term.URIRef'>, 'targetName': <class 'rdflib.term.URIRef'>, 'targetPlatform': <class 'rdflib.term.URIRef'>, 'targetPopulation': <class 'rdflib.term.URIRef'>, 'targetProduct': <class 'rdflib.term.URIRef'>, 'targetUrl': <class 'rdflib.term.URIRef'>, 'taxID': <class 'rdflib.term.URIRef'>, 'taxonRank': <class 'rdflib.term.URIRef'>, 'taxonomicRange': <class 'rdflib.term.URIRef'>, 'teaches': <class 'rdflib.term.URIRef'>, 'telephone': <class 'rdflib.term.URIRef'>, 'temporal': <class 'rdflib.term.URIRef'>, 'temporalCoverage': <class 'rdflib.term.URIRef'>, 'termCode': <class 'rdflib.term.URIRef'>, 'termDuration': <class 'rdflib.term.URIRef'>, 'termsOfService': <class 'rdflib.term.URIRef'>, 'termsPerYear': <class 'rdflib.term.URIRef'>, 'text': <class 'rdflib.term.URIRef'>, 'textValue': <class 'rdflib.term.URIRef'>, 'thumbnail': <class 'rdflib.term.URIRef'>, 'thumbnailUrl': <class 'rdflib.term.URIRef'>, 'tickerSymbol': <class 'rdflib.term.URIRef'>, 'ticketNumber': <class 'rdflib.term.URIRef'>, 'ticketToken': <class 'rdflib.term.URIRef'>, 'ticketedSeat': <class 'rdflib.term.URIRef'>, 'timeOfDay': <class 'rdflib.term.URIRef'>, 'timeRequired': <class 'rdflib.term.URIRef'>, 'timeToComplete': <class 'rdflib.term.URIRef'>, 'tissueSample': <class 'rdflib.term.URIRef'>, 'title': <class 'rdflib.term.URIRef'>, 'titleEIDR': <class 'rdflib.term.URIRef'>, 'toLocation': <class 'rdflib.term.URIRef'>, 'toRecipient': <class 'rdflib.term.URIRef'>, 'tocContinuation': <class 'rdflib.term.URIRef'>, 'tocEntry': <class 'rdflib.term.URIRef'>, 'tongueWeight': <class 'rdflib.term.URIRef'>, 'tool': <class 'rdflib.term.URIRef'>, 'torque': <class 'rdflib.term.URIRef'>, 'totalJobOpenings': <class 'rdflib.term.URIRef'>, 'totalPaymentDue': <class 'rdflib.term.URIRef'>, 'totalPrice': <class 'rdflib.term.URIRef'>, 'totalTime': <class 'rdflib.term.URIRef'>, 'tourBookingPage': <class 'rdflib.term.URIRef'>, 'touristType': <class 'rdflib.term.URIRef'>, 'track': <class 'rdflib.term.URIRef'>, 'trackingNumber': <class 'rdflib.term.URIRef'>, 'trackingUrl': <class 'rdflib.term.URIRef'>, 'tracks': <class 'rdflib.term.URIRef'>, 'trailer': <class 'rdflib.term.URIRef'>, 'trailerWeight': <class 'rdflib.term.URIRef'>, 'trainName': <class 'rdflib.term.URIRef'>, 'trainNumber': <class 'rdflib.term.URIRef'>, 'trainingSalary': <class 'rdflib.term.URIRef'>, 'transFatContent': <class 'rdflib.term.URIRef'>, 'transcript': <class 'rdflib.term.URIRef'>, 'transitTime': <class 'rdflib.term.URIRef'>, 'transitTimeLabel': <class 'rdflib.term.URIRef'>, 'translationOfWork': <class 'rdflib.term.URIRef'>, 'translator': <class 'rdflib.term.URIRef'>, 'transmissionMethod': <class 'rdflib.term.URIRef'>, 'travelBans': <class 'rdflib.term.URIRef'>, 'trialDesign': <class 'rdflib.term.URIRef'>, 'tributary': <class 'rdflib.term.URIRef'>, 'typeOfBed': <class 'rdflib.term.URIRef'>, 'typeOfGood': <class 'rdflib.term.URIRef'>, 'typicalAgeRange': <class 'rdflib.term.URIRef'>, 'typicalCreditsPerTerm': <class 'rdflib.term.URIRef'>, 'typicalTest': <class 'rdflib.term.URIRef'>, 'underName': <class 'rdflib.term.URIRef'>, 'unitCode': <class 'rdflib.term.URIRef'>, 'unitText': <class 'rdflib.term.URIRef'>, 'unnamedSourcesPolicy': <class 'rdflib.term.URIRef'>, 'unsaturatedFatContent': <class 'rdflib.term.URIRef'>, 'uploadDate': <class 'rdflib.term.URIRef'>, 'upvoteCount': <class 'rdflib.term.URIRef'>, 'url': <class 'rdflib.term.URIRef'>, 'urlTemplate': <class 'rdflib.term.URIRef'>, 'usageInfo': <class 'rdflib.term.URIRef'>, 'usedToDiagnose': <class 'rdflib.term.URIRef'>, 'userInteractionCount': <class 'rdflib.term.URIRef'>, 'usesDevice': <class 'rdflib.term.URIRef'>, 'usesHealthPlanIdStandard': <class 'rdflib.term.URIRef'>, 'utterances': <class 'rdflib.term.URIRef'>, 'validFor': <class 'rdflib.term.URIRef'>, 'validFrom': <class 'rdflib.term.URIRef'>, 'validIn': <class 'rdflib.term.URIRef'>, 'validThrough': <class 'rdflib.term.URIRef'>, 'validUntil': <class 'rdflib.term.URIRef'>, 'value': <class 'rdflib.term.URIRef'>, 'valueAddedTaxIncluded': <class 'rdflib.term.URIRef'>, 'valueMaxLength': <class 'rdflib.term.URIRef'>, 'valueMinLength': <class 'rdflib.term.URIRef'>, 'valueName': <class 'rdflib.term.URIRef'>, 'valuePattern': <class 'rdflib.term.URIRef'>, 'valueReference': <class 'rdflib.term.URIRef'>, 'valueRequired': <class 'rdflib.term.URIRef'>, 'variableMeasured': <class 'rdflib.term.URIRef'>, 'variantCover': <class 'rdflib.term.URIRef'>, 'variesBy': <class 'rdflib.term.URIRef'>, 'vatID': <class 'rdflib.term.URIRef'>, 'vehicleConfiguration': <class 'rdflib.term.URIRef'>, 'vehicleEngine': <class 'rdflib.term.URIRef'>, 'vehicleIdentificationNumber': <class 'rdflib.term.URIRef'>, 'vehicleInteriorColor': <class 'rdflib.term.URIRef'>, 'vehicleInteriorType': <class 'rdflib.term.URIRef'>, 'vehicleModelDate': <class 'rdflib.term.URIRef'>, 'vehicleSeatingCapacity': <class 'rdflib.term.URIRef'>, 'vehicleSpecialUsage': <class 'rdflib.term.URIRef'>, 'vehicleTransmission': <class 'rdflib.term.URIRef'>, 'vendor': <class 'rdflib.term.URIRef'>, 'verificationFactCheckingPolicy': <class 'rdflib.term.URIRef'>, 'version': <class 'rdflib.term.URIRef'>, 'video': <class 'rdflib.term.URIRef'>, 'videoFormat': <class 'rdflib.term.URIRef'>, 'videoFrameSize': <class 'rdflib.term.URIRef'>, 'videoQuality': <class 'rdflib.term.URIRef'>, 'volumeNumber': <class 'rdflib.term.URIRef'>, 'warning': <class 'rdflib.term.URIRef'>, 'warranty': <class 'rdflib.term.URIRef'>, 'warrantyPromise': <class 'rdflib.term.URIRef'>, 'warrantyScope': <class 'rdflib.term.URIRef'>, 'webCheckinTime': <class 'rdflib.term.URIRef'>, 'webFeed': <class 'rdflib.term.URIRef'>, 'weight': <class 'rdflib.term.URIRef'>, 'weightTotal': <class 'rdflib.term.URIRef'>, 'wheelbase': <class 'rdflib.term.URIRef'>, 'width': <class 'rdflib.term.URIRef'>, 'winner': <class 'rdflib.term.URIRef'>, 'wordCount': <class 'rdflib.term.URIRef'>, 'workExample': <class 'rdflib.term.URIRef'>, 'workFeatured': <class 'rdflib.term.URIRef'>, 'workHours': <class 'rdflib.term.URIRef'>, 'workLocation': <class 'rdflib.term.URIRef'>, 'workPerformed': <class 'rdflib.term.URIRef'>, 'workPresented': <class 'rdflib.term.URIRef'>, 'workTranslation': <class 'rdflib.term.URIRef'>, 'workload': <class 'rdflib.term.URIRef'>, 'worksFor': <class 'rdflib.term.URIRef'>, 'worstRating': <class 'rdflib.term.URIRef'>, 'xpath': <class 'rdflib.term.URIRef'>, 'yearBuilt': <class 'rdflib.term.URIRef'>, 'yearlyRevenue': <class 'rdflib.term.URIRef'>, 'yearsInOperation': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._SDO'
about: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/about')
abridged: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/abridged')
abstract: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/abstract')
accelerationTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accelerationTime')
acceptedAnswer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/acceptedAnswer')
acceptedOffer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/acceptedOffer')
acceptedPaymentMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/acceptedPaymentMethod')
acceptsReservations: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/acceptsReservations')
accessCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accessCode')
accessMode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accessMode')
accessModeSufficient: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accessModeSufficient')
accessibilityAPI: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accessibilityAPI')
accessibilityControl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accessibilityControl')
accessibilityFeature: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accessibilityFeature')
accessibilityHazard: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accessibilityHazard')
accessibilitySummary: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accessibilitySummary')
accommodationCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accommodationCategory')
accommodationFloorPlan: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accommodationFloorPlan')
accountId: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accountId')
accountMinimumInflow: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accountMinimumInflow')
accountOverdraftLimit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accountOverdraftLimit')
accountablePerson: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/accountablePerson')
acquireLicensePage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/acquireLicensePage')
acquiredFrom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/acquiredFrom')
acrissCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/acrissCode')
actionAccessibilityRequirement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/actionAccessibilityRequirement')
actionApplication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/actionApplication')
actionOption: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/actionOption')
actionPlatform: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/actionPlatform')
actionStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/actionStatus')
actionableFeedbackPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/actionableFeedbackPolicy')
activeIngredient: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/activeIngredient')
activityDuration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/activityDuration')
activityFrequency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/activityFrequency')
actor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/actor')
actors: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/actors')
addOn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/addOn')
additionalName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/additionalName')
additionalNumberOfGuests: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/additionalNumberOfGuests')
additionalProperty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/additionalProperty')
additionalType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/additionalType')
additionalVariable: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/additionalVariable')
address: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/address')
addressCountry: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/addressCountry')
addressLocality: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/addressLocality')
addressRegion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/addressRegion')
administrationRoute: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/administrationRoute')
advanceBookingRequirement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/advanceBookingRequirement')
adverseOutcome: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/adverseOutcome')
affectedBy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/affectedBy')
affiliation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/affiliation')
afterMedia: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/afterMedia')
agent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/agent')
aggregateRating: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/aggregateRating')
aircraft: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/aircraft')
album: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/album')
albumProductionType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/albumProductionType')
albumRelease: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/albumRelease')
albumReleaseType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/albumReleaseType')
albums: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/albums')
alcoholWarning: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/alcoholWarning')
algorithm: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/algorithm')
alignmentType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/alignmentType')
alternateName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/alternateName')
alternativeHeadline: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/alternativeHeadline')
alternativeOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/alternativeOf')
alumni: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/alumni')
alumniOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/alumniOf')
amenityFeature: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/amenityFeature')
amount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/amount')
amountOfThisGood: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/amountOfThisGood')
announcementLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/announcementLocation')
annualPercentageRate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/annualPercentageRate')
answerCount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/answerCount')
answerExplanation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/answerExplanation')
antagonist: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/antagonist')
appearance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/appearance')
applicableLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/applicableLocation')
applicantLocationRequirements: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/applicantLocationRequirements')
application: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/application')
applicationCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/applicationCategory')
applicationContact: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/applicationContact')
applicationDeadline: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/applicationDeadline')
applicationStartDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/applicationStartDate')
applicationSubCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/applicationSubCategory')
applicationSuite: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/applicationSuite')
appliesToDeliveryMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/appliesToDeliveryMethod')
appliesToPaymentMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/appliesToPaymentMethod')
archiveHeld: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/archiveHeld')
archivedAt: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/archivedAt')
area: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/area')
areaServed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/areaServed')
arrivalAirport: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/arrivalAirport')
arrivalBoatTerminal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/arrivalBoatTerminal')
arrivalBusStop: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/arrivalBusStop')
arrivalGate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/arrivalGate')
arrivalPlatform: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/arrivalPlatform')
arrivalStation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/arrivalStation')
arrivalTerminal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/arrivalTerminal')
arrivalTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/arrivalTime')
artEdition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/artEdition')
artMedium: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/artMedium')
arterialBranch: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/arterialBranch')
artform: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/artform')
articleBody: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/articleBody')
articleSection: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/articleSection')
artist: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/artist')
artworkSurface: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/artworkSurface')
aspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/aspect')
assembly: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/assembly')
assemblyVersion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/assemblyVersion')
assesses: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/assesses')
associatedAnatomy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/associatedAnatomy')
associatedArticle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/associatedArticle')
associatedClaimReview: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/associatedClaimReview')
associatedDisease: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/associatedDisease')
associatedMedia: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/associatedMedia')
associatedMediaReview: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/associatedMediaReview')
associatedPathophysiology: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/associatedPathophysiology')
associatedReview: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/associatedReview')
athlete: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/athlete')
attendee: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/attendee')
attendees: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/attendees')
audience: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/audience')
audienceType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/audienceType')
audio: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/audio')
authenticator: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/authenticator')
author: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/author')
availability: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availability')
availabilityEnds: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availabilityEnds')
availabilityStarts: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availabilityStarts')
availableAtOrFrom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availableAtOrFrom')
availableChannel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availableChannel')
availableDeliveryMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availableDeliveryMethod')
availableFrom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availableFrom')
availableIn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availableIn')
availableLanguage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availableLanguage')
availableOnDevice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availableOnDevice')
availableService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availableService')
availableStrength: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availableStrength')
availableTest: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availableTest')
availableThrough: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/availableThrough')
award: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/award')
awards: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/awards')
awayTeam: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/awayTeam')
backstory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/backstory')
bankAccountType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bankAccountType')
baseSalary: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/baseSalary')
bccRecipient: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bccRecipient')
bed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bed')
beforeMedia: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/beforeMedia')
beneficiaryBank: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/beneficiaryBank')
benefits: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/benefits')
benefitsSummaryUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/benefitsSummaryUrl')
bestRating: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bestRating')
billingAddress: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/billingAddress')
billingDuration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/billingDuration')
billingIncrement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/billingIncrement')
billingPeriod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/billingPeriod')
billingStart: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/billingStart')
bioChemInteraction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bioChemInteraction')
bioChemSimilarity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bioChemSimilarity')
biologicalRole: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/biologicalRole')
biomechnicalClass: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/biomechnicalClass')
birthDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/birthDate')
birthPlace: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/birthPlace')
bitrate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bitrate')
blogPost: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/blogPost')
blogPosts: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/blogPosts')
bloodSupply: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bloodSupply')
boardingGroup: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/boardingGroup')
boardingPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/boardingPolicy')
bodyLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bodyLocation')
bodyType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bodyType')
bookEdition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bookEdition')
bookFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bookFormat')
bookingAgent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bookingAgent')
bookingTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/bookingTime')
borrower: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/borrower')
box: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/box')
branch: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/branch')
branchCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/branchCode')
branchOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/branchOf')
brand: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/brand')
breadcrumb: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/breadcrumb')
breastfeedingWarning: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/breastfeedingWarning')
broadcastAffiliateOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/broadcastAffiliateOf')
broadcastChannelId: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/broadcastChannelId')
broadcastDisplayName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/broadcastDisplayName')
broadcastFrequency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/broadcastFrequency')
broadcastFrequencyValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/broadcastFrequencyValue')
broadcastOfEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/broadcastOfEvent')
broadcastServiceTier: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/broadcastServiceTier')
broadcastSignalModulation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/broadcastSignalModulation')
broadcastSubChannel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/broadcastSubChannel')
broadcastTimezone: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/broadcastTimezone')
broadcaster: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/broadcaster')
broker: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/broker')
browserRequirements: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/browserRequirements')
busName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/busName')
busNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/busNumber')
businessDays: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/businessDays')
businessFunction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/businessFunction')
buyer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/buyer')
byArtist: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/byArtist')
byDay: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/byDay')
byMonth: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/byMonth')
byMonthDay: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/byMonthDay')
byMonthWeek: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/byMonthWeek')
callSign: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/callSign')
calories: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/calories')
candidate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/candidate')
caption: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/caption')
carbohydrateContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/carbohydrateContent')
cargoVolume: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cargoVolume')
carrier: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/carrier')
carrierRequirements: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/carrierRequirements')
cashBack: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cashBack')
catalog: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/catalog')
catalogNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/catalogNumber')
category: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/category')
causeOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/causeOf')
ccRecipient: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ccRecipient')
character: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/character')
characterAttribute: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/characterAttribute')
characterName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/characterName')
cheatCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cheatCode')
checkinTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/checkinTime')
checkoutTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/checkoutTime')
chemicalComposition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/chemicalComposition')
chemicalRole: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/chemicalRole')
childMaxAge: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/childMaxAge')
childMinAge: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/childMinAge')
childTaxon: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/childTaxon')
children: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/children')
cholesterolContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cholesterolContent')
circle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/circle')
citation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/citation')
claimInterpreter: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/claimInterpreter')
claimReviewed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/claimReviewed')
clincalPharmacology: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/clincalPharmacology')
clinicalPharmacology: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/clinicalPharmacology')
clipNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/clipNumber')
closes: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/closes')
coach: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/coach')
code: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/code')
codeRepository: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/codeRepository')
codeSampleType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/codeSampleType')
codeValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/codeValue')
codingSystem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/codingSystem')
colleague: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/colleague')
colleagues: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/colleagues')
collection: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/collection')
collectionSize: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/collectionSize')
color: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/color')
colorist: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/colorist')
comment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/comment')
commentCount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/commentCount')
commentText: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/commentText')
commentTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/commentTime')
competencyRequired: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/competencyRequired')
competitor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/competitor')
composer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/composer')
comprisedOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/comprisedOf')
conditionsOfAccess: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/conditionsOfAccess')
confirmationNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/confirmationNumber')
connectedTo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/connectedTo')
constrainingProperty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/constrainingProperty')
contactOption: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contactOption')
contactPoint: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contactPoint')
contactPoints: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contactPoints')
contactType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contactType')
contactlessPayment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contactlessPayment')
containedIn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/containedIn')
containedInPlace: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/containedInPlace')
containsPlace: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/containsPlace')
containsSeason: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/containsSeason')
contentLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contentLocation')
contentRating: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contentRating')
contentReferenceTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contentReferenceTime')
contentSize: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contentSize')
contentType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contentType')
contentUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contentUrl')
contraindication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contraindication')
contributor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/contributor')
cookTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cookTime')
cookingMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cookingMethod')
copyrightHolder: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/copyrightHolder')
copyrightNotice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/copyrightNotice')
copyrightYear: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/copyrightYear')
correction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/correction')
correctionsPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/correctionsPolicy')
costCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/costCategory')
costCurrency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/costCurrency')
costOrigin: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/costOrigin')
costPerUnit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/costPerUnit')
countriesNotSupported: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/countriesNotSupported')
countriesSupported: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/countriesSupported')
countryOfAssembly: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/countryOfAssembly')
countryOfLastProcessing: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/countryOfLastProcessing')
countryOfOrigin: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/countryOfOrigin')
course: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/course')
courseCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/courseCode')
courseMode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/courseMode')
coursePrerequisites: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/coursePrerequisites')
courseWorkload: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/courseWorkload')
coverageEndTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/coverageEndTime')
coverageStartTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/coverageStartTime')
creativeWorkStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/creativeWorkStatus')
creator: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/creator')
credentialCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/credentialCategory')
creditText: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/creditText')
creditedTo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/creditedTo')
cssSelector: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cssSelector')
currenciesAccepted: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/currenciesAccepted')
currency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/currency')
currentExchangeRate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/currentExchangeRate')
customer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/customer')
customerRemorseReturnFees: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/customerRemorseReturnFees')
customerRemorseReturnLabelSource: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/customerRemorseReturnLabelSource')
customerRemorseReturnShippingFeesAmount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/customerRemorseReturnShippingFeesAmount')
cutoffTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cutoffTime')
cvdCollectionDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdCollectionDate')
cvdFacilityCounty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdFacilityCounty')
cvdFacilityId: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdFacilityId')
cvdNumBeds: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumBeds')
cvdNumBedsOcc: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumBedsOcc')
cvdNumC19Died: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumC19Died')
cvdNumC19HOPats: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumC19HOPats')
cvdNumC19HospPats: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumC19HospPats')
cvdNumC19MechVentPats: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumC19MechVentPats')
cvdNumC19OFMechVentPats: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumC19OFMechVentPats')
cvdNumC19OverflowPats: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumC19OverflowPats')
cvdNumICUBeds: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumICUBeds')
cvdNumICUBedsOcc: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumICUBedsOcc')
cvdNumTotBeds: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumTotBeds')
cvdNumVent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumVent')
cvdNumVentUse: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/cvdNumVentUse')
dataFeedElement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dataFeedElement')
dataset: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dataset')
datasetTimeInterval: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/datasetTimeInterval')
dateCreated: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dateCreated')
dateDeleted: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dateDeleted')
dateIssued: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dateIssued')
dateModified: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dateModified')
datePosted: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/datePosted')
datePublished: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/datePublished')
dateRead: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dateRead')
dateReceived: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dateReceived')
dateSent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dateSent')
dateVehicleFirstRegistered: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dateVehicleFirstRegistered')
dateline: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dateline')
dayOfWeek: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dayOfWeek')
deathDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/deathDate')
deathPlace: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/deathPlace')
defaultValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/defaultValue')
deliveryAddress: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/deliveryAddress')
deliveryLeadTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/deliveryLeadTime')
deliveryMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/deliveryMethod')
deliveryStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/deliveryStatus')
deliveryTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/deliveryTime')
department: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/department')
departureAirport: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/departureAirport')
departureBoatTerminal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/departureBoatTerminal')
departureBusStop: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/departureBusStop')
departureGate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/departureGate')
departurePlatform: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/departurePlatform')
departureStation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/departureStation')
departureTerminal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/departureTerminal')
departureTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/departureTime')
dependencies: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dependencies')
depth: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/depth')
description: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/description')
device: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/device')
diagnosis: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/diagnosis')
diagram: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/diagram')
diet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/diet')
dietFeatures: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dietFeatures')
differentialDiagnosis: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/differentialDiagnosis')
directApply: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/directApply')
director: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/director')
directors: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/directors')
disambiguatingDescription: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/disambiguatingDescription')
discount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/discount')
discountCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/discountCode')
discountCurrency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/discountCurrency')
discusses: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/discusses')
discussionUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/discussionUrl')
diseasePreventionInfo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/diseasePreventionInfo')
diseaseSpreadStatistics: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/diseaseSpreadStatistics')
dissolutionDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dissolutionDate')
distance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/distance')
distinguishingSign: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/distinguishingSign')
distribution: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/distribution')
diversityPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/diversityPolicy')
diversityStaffingReport: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/diversityStaffingReport')
documentation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/documentation')
doesNotShip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/doesNotShip')
domainIncludes: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/domainIncludes')
domiciledMortgage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/domiciledMortgage')
doorTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/doorTime')
dosageForm: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dosageForm')
doseSchedule: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/doseSchedule')
doseUnit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/doseUnit')
doseValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/doseValue')
downPayment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/downPayment')
downloadUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/downloadUrl')
downvoteCount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/downvoteCount')
drainsTo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/drainsTo')
driveWheelConfiguration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/driveWheelConfiguration')
dropoffLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dropoffLocation')
dropoffTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/dropoffTime')
drug: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/drug')
drugClass: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/drugClass')
drugUnit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/drugUnit')
duns: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/duns')
duplicateTherapy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/duplicateTherapy')
duration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/duration')
durationOfWarranty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/durationOfWarranty')
duringMedia: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/duringMedia')
earlyPrepaymentPenalty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/earlyPrepaymentPenalty')
editEIDR: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/editEIDR')
editor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/editor')
eduQuestionType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/eduQuestionType')
educationRequirements: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/educationRequirements')
educationalAlignment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/educationalAlignment')
educationalCredentialAwarded: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/educationalCredentialAwarded')
educationalFramework: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/educationalFramework')
educationalLevel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/educationalLevel')
educationalProgramMode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/educationalProgramMode')
educationalRole: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/educationalRole')
educationalUse: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/educationalUse')
elevation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/elevation')
eligibilityToWorkRequirement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/eligibilityToWorkRequirement')
eligibleCustomerType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/eligibleCustomerType')
eligibleDuration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/eligibleDuration')
eligibleQuantity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/eligibleQuantity')
eligibleRegion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/eligibleRegion')
eligibleTransactionVolume: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/eligibleTransactionVolume')
email: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/email')
embedUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/embedUrl')
embeddedTextCaption: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/embeddedTextCaption')
emissionsCO2: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/emissionsCO2')
employee: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/employee')
employees: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/employees')
employerOverview: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/employerOverview')
employmentType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/employmentType')
employmentUnit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/employmentUnit')
encodesBioChemEntity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/encodesBioChemEntity')
encodesCreativeWork: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/encodesCreativeWork')
encoding: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/encoding')
encodingFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/encodingFormat')
encodingType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/encodingType')
encodings: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/encodings')
endDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/endDate')
endOffset: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/endOffset')
endTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/endTime')
endorsee: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/endorsee')
endorsers: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/endorsers')
energyEfficiencyScaleMax: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/energyEfficiencyScaleMax')
energyEfficiencyScaleMin: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/energyEfficiencyScaleMin')
engineDisplacement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/engineDisplacement')
enginePower: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/enginePower')
engineType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/engineType')
entertainmentBusiness: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/entertainmentBusiness')
epidemiology: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/epidemiology')
episode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/episode')
episodeNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/episodeNumber')
episodes: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/episodes')
equal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/equal')
error: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/error')
estimatedCost: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/estimatedCost')
estimatedFlightDuration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/estimatedFlightDuration')
estimatedSalary: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/estimatedSalary')
estimatesRiskOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/estimatesRiskOf')
ethicsPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ethicsPolicy')
event: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/event')
eventAttendanceMode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/eventAttendanceMode')
eventSchedule: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/eventSchedule')
eventStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/eventStatus')
events: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/events')
evidenceLevel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/evidenceLevel')
evidenceOrigin: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/evidenceOrigin')
exampleOfWork: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/exampleOfWork')
exceptDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/exceptDate')
exchangeRateSpread: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/exchangeRateSpread')
executableLibraryName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/executableLibraryName')
exerciseCourse: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/exerciseCourse')
exercisePlan: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/exercisePlan')
exerciseRelatedDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/exerciseRelatedDiet')
exerciseType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/exerciseType')
exifData: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/exifData')
expectedArrivalFrom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/expectedArrivalFrom')
expectedArrivalUntil: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/expectedArrivalUntil')
expectedPrognosis: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/expectedPrognosis')
expectsAcceptanceOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/expectsAcceptanceOf')
experienceInPlaceOfEducation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/experienceInPlaceOfEducation')
experienceRequirements: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/experienceRequirements')
expertConsiderations: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/expertConsiderations')
expires: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/expires')
expressedIn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/expressedIn')
familyName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/familyName')
fatContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/fatContent')
faxNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/faxNumber')
featureList: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/featureList')
feesAndCommissionsSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/feesAndCommissionsSpecification')
fiberContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/fiberContent')
fileFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/fileFormat')
fileSize: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/fileSize')
financialAidEligible: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/financialAidEligible')
firstAppearance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/firstAppearance')
firstPerformance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/firstPerformance')
flightDistance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/flightDistance')
flightNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/flightNumber')
floorLevel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/floorLevel')
floorLimit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/floorLimit')
floorSize: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/floorSize')
followee: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/followee')
follows: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/follows')
followup: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/followup')
foodEstablishment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/foodEstablishment')
foodEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/foodEvent')
foodWarning: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/foodWarning')
founder: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/founder')
founders: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/founders')
foundingDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/foundingDate')
foundingLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/foundingLocation')
free: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/free')
freeShippingThreshold: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/freeShippingThreshold')
frequency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/frequency')
fromLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/fromLocation')
fuelCapacity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/fuelCapacity')
fuelConsumption: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/fuelConsumption')
fuelEfficiency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/fuelEfficiency')
fuelType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/fuelType')
functionalClass: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/functionalClass')
fundedItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/fundedItem')
funder: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/funder')
game: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/game')
gameItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gameItem')
gameLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gameLocation')
gamePlatform: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gamePlatform')
gameServer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gameServer')
gameTip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gameTip')
gender: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gender')
genre: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/genre')
geo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geo')
geoContains: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geoContains')
geoCoveredBy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geoCoveredBy')
geoCovers: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geoCovers')
geoCrosses: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geoCrosses')
geoDisjoint: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geoDisjoint')
geoEquals: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geoEquals')
geoIntersects: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geoIntersects')
geoMidpoint: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geoMidpoint')
geoOverlaps: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geoOverlaps')
geoRadius: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geoRadius')
geoTouches: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geoTouches')
geoWithin: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geoWithin')
geographicArea: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/geographicArea')
gettingTestedInfo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gettingTestedInfo')
givenName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/givenName')
globalLocationNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/globalLocationNumber')
governmentBenefitsInfo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/governmentBenefitsInfo')
gracePeriod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gracePeriod')
grantee: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/grantee')
greater: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/greater')
greaterOrEqual: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/greaterOrEqual')
gtin: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gtin')
gtin12: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gtin12')
gtin13: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gtin13')
gtin14: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gtin14')
gtin8: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/gtin8')
guideline: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/guideline')
guidelineDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/guidelineDate')
guidelineSubject: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/guidelineSubject')
handlingTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/handlingTime')
hasBioChemEntityPart: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasBioChemEntityPart')
hasBioPolymerSequence: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasBioPolymerSequence')
hasBroadcastChannel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasBroadcastChannel')
hasCategoryCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasCategoryCode')
hasCourse: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasCourse')
hasCourseInstance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasCourseInstance')
hasCredential: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasCredential')
hasDefinedTerm: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasDefinedTerm')
hasDeliveryMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasDeliveryMethod')
hasDigitalDocumentPermission: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasDigitalDocumentPermission')
hasDriveThroughService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasDriveThroughService')
hasEnergyConsumptionDetails: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasEnergyConsumptionDetails')
hasEnergyEfficiencyCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasEnergyEfficiencyCategory')
hasHealthAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasHealthAspect')
hasMap: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasMap')
hasMeasurement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasMeasurement')
hasMenu: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasMenu')
hasMenuItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasMenuItem')
hasMenuSection: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasMenuSection')
hasMerchantReturnPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasMerchantReturnPolicy')
hasMolecularFunction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasMolecularFunction')
hasOccupation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasOccupation')
hasOfferCatalog: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasOfferCatalog')
hasPOS: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasPOS')
hasPart: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasPart')
hasRepresentation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasRepresentation')
hasVariant: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hasVariant')
headline: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/headline')
healthCondition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthCondition')
healthPlanCoinsuranceOption: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthPlanCoinsuranceOption')
healthPlanCoinsuranceRate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthPlanCoinsuranceRate')
healthPlanCopay: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthPlanCopay')
healthPlanCopayOption: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthPlanCopayOption')
healthPlanCostSharing: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthPlanCostSharing')
healthPlanDrugOption: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthPlanDrugOption')
healthPlanDrugTier: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthPlanDrugTier')
healthPlanId: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthPlanId')
healthPlanMarketingUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthPlanMarketingUrl')
healthPlanNetworkId: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthPlanNetworkId')
healthPlanNetworkTier: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthPlanNetworkTier')
healthPlanPharmacyCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthPlanPharmacyCategory')
healthcareReportingData: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/healthcareReportingData')
height: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/height')
highPrice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/highPrice')
hiringOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hiringOrganization')
holdingArchive: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/holdingArchive')
homeLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/homeLocation')
homeTeam: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/homeTeam')
honorificPrefix: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/honorificPrefix')
honorificSuffix: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/honorificSuffix')
hospitalAffiliation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hospitalAffiliation')
hostingOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hostingOrganization')
hoursAvailable: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/hoursAvailable')
howPerformed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/howPerformed')
httpMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/httpMethod')
iataCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/iataCode')
icaoCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/icaoCode')
identifier: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/identifier')
identifyingExam: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/identifyingExam')
identifyingTest: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/identifyingTest')
illustrator: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/illustrator')
image: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/image')
imagingTechnique: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/imagingTechnique')
inAlbum: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inAlbum')
inBroadcastLineup: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inBroadcastLineup')
inChI: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inChI')
inChIKey: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inChIKey')
inCodeSet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inCodeSet')
inDefinedTermSet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inDefinedTermSet')
inLanguage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inLanguage')
inPlaylist: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inPlaylist')
inProductGroupWithID: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inProductGroupWithID')
inStoreReturnsOffered: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inStoreReturnsOffered')
inSupportOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inSupportOf')
incentiveCompensation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/incentiveCompensation')
incentives: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/incentives')
includedComposition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/includedComposition')
includedDataCatalog: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/includedDataCatalog')
includedInDataCatalog: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/includedInDataCatalog')
includedInHealthInsurancePlan: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/includedInHealthInsurancePlan')
includedRiskFactor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/includedRiskFactor')
includesAttraction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/includesAttraction')
includesHealthPlanFormulary: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/includesHealthPlanFormulary')
includesHealthPlanNetwork: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/includesHealthPlanNetwork')
includesObject: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/includesObject')
increasesRiskOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/increasesRiskOf')
industry: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/industry')
ineligibleRegion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ineligibleRegion')
infectiousAgent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/infectiousAgent')
infectiousAgentClass: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/infectiousAgentClass')
ingredients: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ingredients')
inker: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inker')
insertion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/insertion')
installUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/installUrl')
instructor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/instructor')
instrument: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/instrument')
intensity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/intensity')
interactingDrug: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/interactingDrug')
interactionCount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/interactionCount')
interactionService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/interactionService')
interactionStatistic: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/interactionStatistic')
interactionType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/interactionType')
interactivityType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/interactivityType')
interestRate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/interestRate')
interpretedAsClaim: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/interpretedAsClaim')
inventoryLevel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inventoryLevel')
inverseOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/inverseOf')
isAcceptingNewPatients: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isAcceptingNewPatients')
isAccessibleForFree: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isAccessibleForFree')
isAccessoryOrSparePartFor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isAccessoryOrSparePartFor')
isAvailableGenerically: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isAvailableGenerically')
isBasedOn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isBasedOn')
isBasedOnUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isBasedOnUrl')
isConsumableFor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isConsumableFor')
isEncodedByBioChemEntity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isEncodedByBioChemEntity')
isFamilyFriendly: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isFamilyFriendly')
isGift: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isGift')
isInvolvedInBiologicalProcess: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isInvolvedInBiologicalProcess')
isLiveBroadcast: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isLiveBroadcast')
isLocatedInSubcellularLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isLocatedInSubcellularLocation')
isPartOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isPartOf')
isPartOfBioChemEntity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isPartOfBioChemEntity')
isPlanForApartment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isPlanForApartment')
isProprietary: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isProprietary')
isRelatedTo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isRelatedTo')
isResizable: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isResizable')
isSimilarTo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isSimilarTo')
isUnlabelledFallback: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isUnlabelledFallback')
isVariantOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isVariantOf')
isbn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isbn')
isicV4: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isicV4')
isrcCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/isrcCode')
issn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/issn')
issueNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/issueNumber')
issuedBy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/issuedBy')
issuedThrough: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/issuedThrough')
iswcCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/iswcCode')
item: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/item')
itemCondition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/itemCondition')
itemDefectReturnFees: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/itemDefectReturnFees')
itemDefectReturnLabelSource: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/itemDefectReturnLabelSource')
itemDefectReturnShippingFeesAmount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/itemDefectReturnShippingFeesAmount')
itemListElement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/itemListElement')
itemListOrder: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/itemListOrder')
itemLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/itemLocation')
itemOffered: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/itemOffered')
itemReviewed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/itemReviewed')
itemShipped: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/itemShipped')
itinerary: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/itinerary')
iupacName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/iupacName')
jobBenefits: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/jobBenefits')
jobImmediateStart: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/jobImmediateStart')
jobLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/jobLocation')
jobLocationType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/jobLocationType')
jobStartDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/jobStartDate')
jobTitle: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/jobTitle')
jurisdiction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/jurisdiction')
keywords: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/keywords')
knownVehicleDamages: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/knownVehicleDamages')
knows: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/knows')
knowsAbout: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/knowsAbout')
knowsLanguage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/knowsLanguage')
labelDetails: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/labelDetails')
landlord: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/landlord')
language: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/language')
lastReviewed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/lastReviewed')
latitude: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/latitude')
layoutImage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/layoutImage')
learningResourceType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/learningResourceType')
leaseLength: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/leaseLength')
legalName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legalName')
legalStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legalStatus')
legislationApplies: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationApplies')
legislationChanges: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationChanges')
legislationConsolidates: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationConsolidates')
legislationDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationDate')
legislationDateVersion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationDateVersion')
legislationIdentifier: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationIdentifier')
legislationJurisdiction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationJurisdiction')
legislationLegalForce: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationLegalForce')
legislationLegalValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationLegalValue')
legislationPassedBy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationPassedBy')
legislationResponsible: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationResponsible')
legislationTransposes: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationTransposes')
legislationType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/legislationType')
leiCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/leiCode')
lender: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/lender')
lesser: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/lesser')
lesserOrEqual: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/lesserOrEqual')
letterer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/letterer')
license: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/license')
line: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/line')
linkRelationship: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/linkRelationship')
liveBlogUpdate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/liveBlogUpdate')
loanMortgageMandateAmount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/loanMortgageMandateAmount')
loanPaymentAmount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/loanPaymentAmount')
loanPaymentFrequency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/loanPaymentFrequency')
loanRepaymentForm: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/loanRepaymentForm')
loanTerm: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/loanTerm')
loanType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/loanType')
location: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/location')
locationCreated: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/locationCreated')
lodgingUnitDescription: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/lodgingUnitDescription')
lodgingUnitType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/lodgingUnitType')
longitude: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/longitude')
loser: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/loser')
lowPrice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/lowPrice')
lyricist: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/lyricist')
lyrics: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/lyrics')
mainContentOfPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/mainContentOfPage')
mainEntity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/mainEntity')
mainEntityOfPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/mainEntityOfPage')
maintainer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/maintainer')
makesOffer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/makesOffer')
manufacturer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/manufacturer')
map: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/map')
mapType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/mapType')
maps: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/maps')
marginOfError: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/marginOfError')
masthead: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/masthead')
material: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/material')
materialExtent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/materialExtent')
mathExpression: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/mathExpression')
maxPrice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/maxPrice')
maxValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/maxValue')
maximumAttendeeCapacity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/maximumAttendeeCapacity')
maximumEnrollment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/maximumEnrollment')
maximumIntake: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/maximumIntake')
maximumPhysicalAttendeeCapacity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/maximumPhysicalAttendeeCapacity')
maximumVirtualAttendeeCapacity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/maximumVirtualAttendeeCapacity')
mealService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/mealService')
measuredProperty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/measuredProperty')
measuredValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/measuredValue')
measurementTechnique: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/measurementTechnique')
mechanismOfAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/mechanismOfAction')
mediaAuthenticityCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/mediaAuthenticityCategory')
mediaItemAppearance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/mediaItemAppearance')
median: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/median')
medicalAudience: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/medicalAudience')
medicalSpecialty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/medicalSpecialty')
medicineSystem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/medicineSystem')
meetsEmissionStandard: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/meetsEmissionStandard')
member: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/member')
memberOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/memberOf')
members: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/members')
membershipNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/membershipNumber')
membershipPointsEarned: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/membershipPointsEarned')
memoryRequirements: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/memoryRequirements')
mentions: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/mentions')
menu: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/menu')
menuAddOn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/menuAddOn')
merchant: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/merchant')
merchantReturnDays: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/merchantReturnDays')
messageAttachment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/messageAttachment')
mileageFromOdometer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/mileageFromOdometer')
minPrice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/minPrice')
minValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/minValue')
minimumPaymentDue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/minimumPaymentDue')
missionCoveragePrioritiesPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/missionCoveragePrioritiesPolicy')
model: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/model')
modelDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/modelDate')
modifiedTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/modifiedTime')
molecularFormula: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/molecularFormula')
molecularWeight: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/molecularWeight')
monoisotopicMolecularWeight: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/monoisotopicMolecularWeight')
monthlyMinimumRepaymentAmount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/monthlyMinimumRepaymentAmount')
monthsOfExperience: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/monthsOfExperience')
mpn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/mpn')
multipleValues: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/multipleValues')
muscleAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/muscleAction')
musicArrangement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/musicArrangement')
musicBy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/musicBy')
musicCompositionForm: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/musicCompositionForm')
musicGroupMember: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/musicGroupMember')
musicReleaseFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/musicReleaseFormat')
musicalKey: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/musicalKey')
naics: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/naics')
name: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/name')
namedPosition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/namedPosition')
nationality: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/nationality')
naturalProgression: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/naturalProgression')
negativeNotes: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/negativeNotes')
nerve: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/nerve')
nerveMotor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/nerveMotor')
netWorth: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/netWorth')
newsUpdatesAndGuidelines: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/newsUpdatesAndGuidelines')
nextItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/nextItem')
noBylinesPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/noBylinesPolicy')
nonEqual: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/nonEqual')
nonProprietaryName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/nonProprietaryName')
nonprofitStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/nonprofitStatus')
normalRange: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/normalRange')
nsn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/nsn')
numAdults: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numAdults')
numChildren: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numChildren')
numConstraints: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numConstraints')
numTracks: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numTracks')
numberOfAccommodationUnits: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfAccommodationUnits')
numberOfAirbags: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfAirbags')
numberOfAvailableAccommodationUnits: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfAvailableAccommodationUnits')
numberOfAxles: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfAxles')
numberOfBathroomsTotal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfBathroomsTotal')
numberOfBedrooms: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfBedrooms')
numberOfBeds: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfBeds')
numberOfCredits: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfCredits')
numberOfDoors: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfDoors')
numberOfEmployees: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfEmployees')
numberOfEpisodes: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfEpisodes')
numberOfForwardGears: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfForwardGears')
numberOfFullBathrooms: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfFullBathrooms')
numberOfItems: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfItems')
numberOfLoanPayments: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfLoanPayments')
numberOfPages: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfPages')
numberOfPartialBathrooms: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfPartialBathrooms')
numberOfPlayers: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfPlayers')
numberOfPreviousOwners: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfPreviousOwners')
numberOfRooms: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfRooms')
numberOfSeasons: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberOfSeasons')
numberedPosition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/numberedPosition')
nutrition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/nutrition')
object: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/object')
observationDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/observationDate')
observedNode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/observedNode')
occupancy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/occupancy')
occupationLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/occupationLocation')
occupationalCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/occupationalCategory')
occupationalCredentialAwarded: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/occupationalCredentialAwarded')
offerCount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/offerCount')
offeredBy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/offeredBy')
offers: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/offers')
offersPrescriptionByMail: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/offersPrescriptionByMail')
openingHours: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/openingHours')
openingHoursSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/openingHoursSpecification')
opens: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/opens')
operatingSystem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/operatingSystem')
opponent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/opponent')
option: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/option')
orderDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/orderDate')
orderDelivery: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/orderDelivery')
orderItemNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/orderItemNumber')
orderItemStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/orderItemStatus')
orderNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/orderNumber')
orderQuantity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/orderQuantity')
orderStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/orderStatus')
orderedItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/orderedItem')
organizer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/organizer')
originAddress: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/originAddress')
originalMediaContextDescription: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/originalMediaContextDescription')
originatesFrom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/originatesFrom')
overdosage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/overdosage')
ownedFrom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ownedFrom')
ownedThrough: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ownedThrough')
ownershipFundingInfo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ownershipFundingInfo')
owns: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/owns')
pageEnd: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/pageEnd')
pageStart: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/pageStart')
pagination: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/pagination')
parent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/parent')
parentItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/parentItem')
parentOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/parentOrganization')
parentService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/parentService')
parentTaxon: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/parentTaxon')
parents: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/parents')
partOfEpisode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/partOfEpisode')
partOfInvoice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/partOfInvoice')
partOfOrder: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/partOfOrder')
partOfSeason: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/partOfSeason')
partOfSeries: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/partOfSeries')
partOfSystem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/partOfSystem')
partOfTVSeries: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/partOfTVSeries')
partOfTrip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/partOfTrip')
participant: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/participant')
partySize: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/partySize')
passengerPriorityStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/passengerPriorityStatus')
passengerSequenceNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/passengerSequenceNumber')
pathophysiology: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/pathophysiology')
pattern: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/pattern')
payload: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/payload')
paymentAccepted: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/paymentAccepted')
paymentDue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/paymentDue')
paymentDueDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/paymentDueDate')
paymentMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/paymentMethod')
paymentMethodId: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/paymentMethodId')
paymentStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/paymentStatus')
paymentUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/paymentUrl')
penciler: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/penciler')
percentile10: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/percentile10')
percentile25: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/percentile25')
percentile75: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/percentile75')
percentile90: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/percentile90')
performTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/performTime')
performer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/performer')
performerIn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/performerIn')
performers: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/performers')
permissionType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/permissionType')
permissions: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/permissions')
permitAudience: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/permitAudience')
permittedUsage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/permittedUsage')
petsAllowed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/petsAllowed')
phoneticText: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/phoneticText')
photo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/photo')
photos: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/photos')
physicalRequirement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/physicalRequirement')
physiologicalBenefits: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/physiologicalBenefits')
pickupLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/pickupLocation')
pickupTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/pickupTime')
playMode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/playMode')
playerType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/playerType')
playersOnline: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/playersOnline')
polygon: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/polygon')
populationType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/populationType')
position: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/position')
positiveNotes: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/positiveNotes')
possibleComplication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/possibleComplication')
possibleTreatment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/possibleTreatment')
postOfficeBoxNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/postOfficeBoxNumber')
postOp: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/postOp')
postalCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/postalCode')
postalCodeBegin: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/postalCodeBegin')
postalCodeEnd: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/postalCodeEnd')
postalCodePrefix: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/postalCodePrefix')
postalCodeRange: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/postalCodeRange')
potentialAction: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/potentialAction')
potentialUse: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/potentialUse')
preOp: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/preOp')
predecessorOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/predecessorOf')
pregnancyCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/pregnancyCategory')
pregnancyWarning: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/pregnancyWarning')
prepTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/prepTime')
preparation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/preparation')
prescribingInfo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/prescribingInfo')
prescriptionStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/prescriptionStatus')
previousItem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/previousItem')
previousStartDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/previousStartDate')
price: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/price')
priceComponent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/priceComponent')
priceComponentType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/priceComponentType')
priceCurrency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/priceCurrency')
priceRange: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/priceRange')
priceSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/priceSpecification')
priceType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/priceType')
priceValidUntil: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/priceValidUntil')
primaryImageOfPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/primaryImageOfPage')
primaryPrevention: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/primaryPrevention')
printColumn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/printColumn')
printEdition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/printEdition')
printPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/printPage')
printSection: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/printSection')
procedure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/procedure')
procedureType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/procedureType')
processingTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/processingTime')
processorRequirements: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/processorRequirements')
producer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/producer')
produces: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/produces')
productGroupID: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/productGroupID')
productID: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/productID')
productSupported: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/productSupported')
productionCompany: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/productionCompany')
productionDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/productionDate')
proficiencyLevel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/proficiencyLevel')
programMembershipUsed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/programMembershipUsed')
programName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/programName')
programPrerequisites: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/programPrerequisites')
programType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/programType')
programmingLanguage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/programmingLanguage')
programmingModel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/programmingModel')
propertyID: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/propertyID')
proprietaryName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/proprietaryName')
proteinContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/proteinContent')
provider: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/provider')
providerMobility: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/providerMobility')
providesBroadcastService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/providesBroadcastService')
providesService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/providesService')
publicAccess: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/publicAccess')
publicTransportClosuresInfo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/publicTransportClosuresInfo')
publication: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/publication')
publicationType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/publicationType')
publishedBy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/publishedBy')
publishedOn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/publishedOn')
publisher: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/publisher')
publisherImprint: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/publisherImprint')
publishingPrinciples: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/publishingPrinciples')
purchaseDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/purchaseDate')
qualifications: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/qualifications')
quarantineGuidelines: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/quarantineGuidelines')
query: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/query')
quest: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/quest')
question: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/question')
rangeIncludes: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/rangeIncludes')
ratingCount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ratingCount')
ratingExplanation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ratingExplanation')
ratingValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ratingValue')
readBy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/readBy')
readonlyValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/readonlyValue')
realEstateAgent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/realEstateAgent')
recipe: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recipe')
recipeCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recipeCategory')
recipeCuisine: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recipeCuisine')
recipeIngredient: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recipeIngredient')
recipeInstructions: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recipeInstructions')
recipeYield: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recipeYield')
recipient: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recipient')
recognizedBy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recognizedBy')
recognizingAuthority: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recognizingAuthority')
recommendationStrength: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recommendationStrength')
recommendedIntake: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recommendedIntake')
recordLabel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recordLabel')
recordedAs: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recordedAs')
recordedAt: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recordedAt')
recordedIn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recordedIn')
recordingOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recordingOf')
recourseLoan: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/recourseLoan')
referenceQuantity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/referenceQuantity')
referencesOrder: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/referencesOrder')
refundType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/refundType')
regionDrained: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/regionDrained')
regionsAllowed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/regionsAllowed')
relatedAnatomy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/relatedAnatomy')
relatedCondition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/relatedCondition')
relatedDrug: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/relatedDrug')
relatedStructure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/relatedStructure')
relatedTherapy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/relatedTherapy')
relatedTo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/relatedTo')
releaseDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/releaseDate')
releaseNotes: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/releaseNotes')
releaseOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/releaseOf')
releasedEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/releasedEvent')
relevantOccupation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/relevantOccupation')
relevantSpecialty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/relevantSpecialty')
remainingAttendeeCapacity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/remainingAttendeeCapacity')
renegotiableLoan: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/renegotiableLoan')
repeatCount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/repeatCount')
repeatFrequency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/repeatFrequency')
repetitions: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/repetitions')
replacee: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/replacee')
replacer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/replacer')
replyToUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/replyToUrl')
reportNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/reportNumber')
representativeOfPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/representativeOfPage')
requiredCollateral: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/requiredCollateral')
requiredGender: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/requiredGender')
requiredMaxAge: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/requiredMaxAge')
requiredMinAge: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/requiredMinAge')
requiredQuantity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/requiredQuantity')
requirements: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/requirements')
requiresSubscription: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/requiresSubscription')
reservationFor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/reservationFor')
reservationId: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/reservationId')
reservationStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/reservationStatus')
reservedTicket: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/reservedTicket')
responsibilities: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/responsibilities')
restPeriods: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/restPeriods')
restockingFee: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/restockingFee')
result: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/result')
resultComment: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/resultComment')
resultReview: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/resultReview')
returnFees: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/returnFees')
returnLabelSource: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/returnLabelSource')
returnMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/returnMethod')
returnPolicyCategory: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/returnPolicyCategory')
returnPolicyCountry: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/returnPolicyCountry')
returnPolicySeasonalOverride: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/returnPolicySeasonalOverride')
returnShippingFeesAmount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/returnShippingFeesAmount')
review: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/review')
reviewAspect: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/reviewAspect')
reviewBody: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/reviewBody')
reviewCount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/reviewCount')
reviewRating: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/reviewRating')
reviewedBy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/reviewedBy')
reviews: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/reviews')
riskFactor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/riskFactor')
risks: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/risks')
roleName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/roleName')
roofLoad: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/roofLoad')
rsvpResponse: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/rsvpResponse')
runsTo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/runsTo')
runtime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/runtime')
runtimePlatform: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/runtimePlatform')
rxcui: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/rxcui')
safetyConsideration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/safetyConsideration')
salaryCurrency: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/salaryCurrency')
salaryUponCompletion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/salaryUponCompletion')
sameAs: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sameAs')
sampleType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sampleType')
saturatedFatContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/saturatedFatContent')
scheduleTimezone: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/scheduleTimezone')
scheduledPaymentDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/scheduledPaymentDate')
scheduledTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/scheduledTime')
schemaVersion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/schemaVersion')
schoolClosuresInfo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/schoolClosuresInfo')
screenCount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/screenCount')
screenshot: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/screenshot')
sdDatePublished: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sdDatePublished')
sdLicense: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sdLicense')
sdPublisher: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sdPublisher')
season: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/season')
seasonNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/seasonNumber')
seasons: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/seasons')
seatNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/seatNumber')
seatRow: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/seatRow')
seatSection: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/seatSection')
seatingCapacity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/seatingCapacity')
seatingType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/seatingType')
secondaryPrevention: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/secondaryPrevention')
securityClearanceRequirement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/securityClearanceRequirement')
securityScreening: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/securityScreening')
seeks: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/seeks')
seller: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/seller')
sender: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sender')
sensoryRequirement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sensoryRequirement')
sensoryUnit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sensoryUnit')
serialNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/serialNumber')
seriousAdverseOutcome: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/seriousAdverseOutcome')
serverStatus: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/serverStatus')
servesCuisine: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/servesCuisine')
serviceArea: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/serviceArea')
serviceAudience: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/serviceAudience')
serviceLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/serviceLocation')
serviceOperator: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/serviceOperator')
serviceOutput: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/serviceOutput')
servicePhone: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/servicePhone')
servicePostalAddress: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/servicePostalAddress')
serviceSmsNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/serviceSmsNumber')
serviceType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/serviceType')
serviceUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/serviceUrl')
servingSize: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/servingSize')
sha256: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sha256')
sharedContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sharedContent')
shippingDestination: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/shippingDestination')
shippingDetails: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/shippingDetails')
shippingLabel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/shippingLabel')
shippingRate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/shippingRate')
sibling: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sibling')
siblings: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/siblings')
signDetected: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/signDetected')
signOrSymptom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/signOrSymptom')
significance: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/significance')
size: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/size')
sizeGroup: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sizeGroup')
sizeSystem: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sizeSystem')
skills: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/skills')
sku: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sku')
slogan: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/slogan')
smiles: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/smiles')
smokingAllowed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/smokingAllowed')
sodiumContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sodiumContent')
softwareAddOn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/softwareAddOn')
softwareHelp: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/softwareHelp')
softwareRequirements: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/softwareRequirements')
softwareVersion: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/softwareVersion')
sourceOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sourceOrganization')
sourcedFrom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sourcedFrom')
spatial: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/spatial')
spatialCoverage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/spatialCoverage')
speakable: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/speakable')
specialCommitments: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/specialCommitments')
specialOpeningHoursSpecification: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/specialOpeningHoursSpecification')
specialty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/specialty')
speechToTextMarkup: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/speechToTextMarkup')
speed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/speed')
spokenByCharacter: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/spokenByCharacter')
sponsor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sponsor')
sport: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sport')
sportsActivityLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sportsActivityLocation')
sportsEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sportsEvent')
sportsTeam: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sportsTeam')
spouse: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/spouse')
stage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/stage')
stageAsNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/stageAsNumber')
starRating: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/starRating')
startDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/startDate')
startOffset: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/startOffset')
startTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/startTime')
status: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/status')
steeringPosition: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/steeringPosition')
step: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/step')
stepValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/stepValue')
steps: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/steps')
storageRequirements: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/storageRequirements')
streetAddress: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/streetAddress')
strengthUnit: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/strengthUnit')
strengthValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/strengthValue')
structuralClass: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/structuralClass')
study: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/study')
studyDesign: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/studyDesign')
studyLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/studyLocation')
studySubject: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/studySubject')
subEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/subEvent')
subEvents: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/subEvents')
subOrganization: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/subOrganization')
subReservation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/subReservation')
subStageSuffix: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/subStageSuffix')
subStructure: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/subStructure')
subTest: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/subTest')
subTrip: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/subTrip')
subjectOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/subjectOf')
subtitleLanguage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/subtitleLanguage')
successorOf: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/successorOf')
sugarContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/sugarContent')
suggestedAge: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/suggestedAge')
suggestedAnswer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/suggestedAnswer')
suggestedGender: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/suggestedGender')
suggestedMaxAge: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/suggestedMaxAge')
suggestedMeasurement: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/suggestedMeasurement')
suggestedMinAge: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/suggestedMinAge')
suitableForDiet: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/suitableForDiet')
superEvent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/superEvent')
supersededBy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/supersededBy')
supply: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/supply')
supplyTo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/supplyTo')
supportingData: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/supportingData')
surface: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/surface')
target: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/target')
targetCollection: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/targetCollection')
targetDescription: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/targetDescription')
targetName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/targetName')
targetPlatform: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/targetPlatform')
targetPopulation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/targetPopulation')
targetProduct: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/targetProduct')
targetUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/targetUrl')
taxID: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/taxID')
taxonRank: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/taxonRank')
taxonomicRange: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/taxonomicRange')
teaches: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/teaches')
telephone: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/telephone')
temporal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/temporal')
temporalCoverage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/temporalCoverage')
termCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/termCode')
termDuration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/termDuration')
termsOfService: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/termsOfService')
termsPerYear: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/termsPerYear')
text: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/text')
textValue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/textValue')
thumbnail: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/thumbnail')
thumbnailUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/thumbnailUrl')
tickerSymbol: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/tickerSymbol')
ticketNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ticketNumber')
ticketToken: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ticketToken')
ticketedSeat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/ticketedSeat')
timeOfDay: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/timeOfDay')
timeRequired: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/timeRequired')
timeToComplete: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/timeToComplete')
tissueSample: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/tissueSample')
title: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/title')
titleEIDR: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/titleEIDR')
toLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/toLocation')
toRecipient: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/toRecipient')
tocContinuation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/tocContinuation')
tocEntry: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/tocEntry')
tongueWeight: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/tongueWeight')
tool: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/tool')
torque: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/torque')
totalJobOpenings: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/totalJobOpenings')
totalPaymentDue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/totalPaymentDue')
totalPrice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/totalPrice')
totalTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/totalTime')
tourBookingPage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/tourBookingPage')
touristType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/touristType')
track: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/track')
trackingNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/trackingNumber')
trackingUrl: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/trackingUrl')
tracks: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/tracks')
trailer: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/trailer')
trailerWeight: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/trailerWeight')
trainName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/trainName')
trainNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/trainNumber')
trainingSalary: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/trainingSalary')
transFatContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/transFatContent')
transcript: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/transcript')
transitTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/transitTime')
transitTimeLabel: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/transitTimeLabel')
translationOfWork: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/translationOfWork')
translator: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/translator')
transmissionMethod: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/transmissionMethod')
travelBans: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/travelBans')
trialDesign: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/trialDesign')
tributary: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/tributary')
typeOfBed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/typeOfBed')
typeOfGood: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/typeOfGood')
typicalAgeRange: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/typicalAgeRange')
typicalCreditsPerTerm: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/typicalCreditsPerTerm')
typicalTest: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/typicalTest')
underName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/underName')
unitCode: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/unitCode')
unitText: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/unitText')
unnamedSourcesPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/unnamedSourcesPolicy')
unsaturatedFatContent: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/unsaturatedFatContent')
uploadDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/uploadDate')
upvoteCount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/upvoteCount')
url: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/url')
urlTemplate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/urlTemplate')
usageInfo: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/usageInfo')
usedToDiagnose: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/usedToDiagnose')
userInteractionCount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/userInteractionCount')
usesDevice: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/usesDevice')
usesHealthPlanIdStandard: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/usesHealthPlanIdStandard')
utterances: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/utterances')
validFor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/validFor')
validFrom: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/validFrom')
validIn: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/validIn')
validThrough: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/validThrough')
validUntil: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/validUntil')
value: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/value')
valueAddedTaxIncluded: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/valueAddedTaxIncluded')
valueMaxLength: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/valueMaxLength')
valueMinLength: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/valueMinLength')
valueName: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/valueName')
valuePattern: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/valuePattern')
valueReference: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/valueReference')
valueRequired: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/valueRequired')
variableMeasured: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/variableMeasured')
variantCover: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/variantCover')
variesBy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/variesBy')
vatID: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/vatID')
vehicleConfiguration: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/vehicleConfiguration')
vehicleEngine: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/vehicleEngine')
vehicleIdentificationNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/vehicleIdentificationNumber')
vehicleInteriorColor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/vehicleInteriorColor')
vehicleInteriorType: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/vehicleInteriorType')
vehicleModelDate: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/vehicleModelDate')
vehicleSeatingCapacity: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/vehicleSeatingCapacity')
vehicleSpecialUsage: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/vehicleSpecialUsage')
vehicleTransmission: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/vehicleTransmission')
vendor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/vendor')
verificationFactCheckingPolicy: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/verificationFactCheckingPolicy')
version: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/version')
video: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/video')
videoFormat: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/videoFormat')
videoFrameSize: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/videoFrameSize')
videoQuality: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/videoQuality')
volumeNumber: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/volumeNumber')
warning: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/warning')
warranty: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/warranty')
warrantyPromise: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/warrantyPromise')
warrantyScope: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/warrantyScope')
webCheckinTime: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/webCheckinTime')
webFeed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/webFeed')
weight: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/weight')
weightTotal: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/weightTotal')
wheelbase: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/wheelbase')
width: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/width')
winner: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/winner')
wordCount: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/wordCount')
workExample: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/workExample')
workFeatured: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/workFeatured')
workHours: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/workHours')
workLocation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/workLocation')
workPerformed: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/workPerformed')
workPresented: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/workPresented')
workTranslation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/workTranslation')
workload: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/workload')
worksFor: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/worksFor')
worstRating: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/worstRating')
xpath: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/xpath')
yearBuilt: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/yearBuilt')
yearlyRevenue: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/yearlyRevenue')
yearsInOperation: rdflib.term.URIRef = rdflib.term.URIRef('https://schema.org/yearsInOperation')
class rdflib.SH[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#AbstractResult')
AndConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#AndConstraintComponent')
BlankNode: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#BlankNode')
BlankNodeOrIRI: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#BlankNodeOrIRI')
BlankNodeOrLiteral: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#BlankNodeOrLiteral')
ClassConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ClassConstraintComponent')
ClosedConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ClosedConstraintComponent')
ConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ConstraintComponent')
DatatypeConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#DatatypeConstraintComponent')
DisjointConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#DisjointConstraintComponent')
EqualsConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#EqualsConstraintComponent')
ExpressionConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ExpressionConstraintComponent')
Function: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Function')
HasValueConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#HasValueConstraintComponent')
IRI: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#IRI')
IRIOrLiteral: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#IRIOrLiteral')
InConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#InConstraintComponent')
Info: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Info')
JSConstraint: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSConstraint')
JSConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSConstraintComponent')
JSExecutable: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSExecutable')
JSFunction: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSFunction')
JSLibrary: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSLibrary')
JSRule: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSRule')
JSTarget: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSTarget')
JSTargetType: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSTargetType')
JSValidator: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#JSValidator')
LanguageInConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#LanguageInConstraintComponent')
LessThanConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#LessThanConstraintComponent')
LessThanOrEqualsConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#LessThanOrEqualsConstraintComponent')
Literal: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Literal')
MaxCountConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MaxCountConstraintComponent')
MaxExclusiveConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MaxExclusiveConstraintComponent')
MaxInclusiveConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MaxInclusiveConstraintComponent')
MaxLengthConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MaxLengthConstraintComponent')
MinCountConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MinCountConstraintComponent')
MinExclusiveConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MinExclusiveConstraintComponent')
MinInclusiveConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MinInclusiveConstraintComponent')
MinLengthConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#MinLengthConstraintComponent')
NodeConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#NodeConstraintComponent')
NodeKind: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#NodeKind')
NodeKindConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#NodeKindConstraintComponent')
NodeShape: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#NodeShape')
NotConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#NotConstraintComponent')
OrConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#OrConstraintComponent')
Parameter: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Parameter')
Parameterizable: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Parameterizable')
PatternConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#PatternConstraintComponent')
PrefixDeclaration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#PrefixDeclaration')
PropertyConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#PropertyConstraintComponent')
PropertyGroup: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#PropertyGroup')
PropertyShape: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#PropertyShape')
QualifiedMaxCountConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#QualifiedMaxCountConstraintComponent')
QualifiedMinCountConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#QualifiedMinCountConstraintComponent')
ResultAnnotation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ResultAnnotation')
Rule: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Rule')
SPARQLAskExecutable: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLAskExecutable')
SPARQLAskValidator: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLAskValidator')
SPARQLConstraint: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLConstraint')
SPARQLConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLConstraintComponent')
SPARQLConstructExecutable: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLConstructExecutable')
SPARQLExecutable: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLExecutable')
SPARQLFunction: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLFunction')
SPARQLRule: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLRule')
SPARQLSelectExecutable: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLSelectExecutable')
SPARQLSelectValidator: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLSelectValidator')
SPARQLTarget: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLTarget')
SPARQLTargetType: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLTargetType')
SPARQLUpdateExecutable: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#SPARQLUpdateExecutable')
Severity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Severity')
Shape: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Shape')
Target: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Target')
TargetType: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#TargetType')
TripleRule: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#TripleRule')
UniqueLangConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#UniqueLangConstraintComponent')
ValidationReport: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ValidationReport')
ValidationResult: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ValidationResult')
Validator: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Validator')
Violation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Violation')
Warning: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#Warning')
XoneConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#XoneConstraintComponent')
__annotations__ = {'AbstractResult': <class 'rdflib.term.URIRef'>, 'AndConstraintComponent': <class 'rdflib.term.URIRef'>, 'BlankNode': <class 'rdflib.term.URIRef'>, 'BlankNodeOrIRI': <class 'rdflib.term.URIRef'>, 'BlankNodeOrLiteral': <class 'rdflib.term.URIRef'>, 'ClassConstraintComponent': <class 'rdflib.term.URIRef'>, 'ClosedConstraintComponent': <class 'rdflib.term.URIRef'>, 'ConstraintComponent': <class 'rdflib.term.URIRef'>, 'DatatypeConstraintComponent': <class 'rdflib.term.URIRef'>, 'DisjointConstraintComponent': <class 'rdflib.term.URIRef'>, 'EqualsConstraintComponent': <class 'rdflib.term.URIRef'>, 'ExpressionConstraintComponent': <class 'rdflib.term.URIRef'>, 'Function': <class 'rdflib.term.URIRef'>, 'HasValueConstraintComponent': <class 'rdflib.term.URIRef'>, 'IRI': <class 'rdflib.term.URIRef'>, 'IRIOrLiteral': <class 'rdflib.term.URIRef'>, 'InConstraintComponent': <class 'rdflib.term.URIRef'>, 'Info': <class 'rdflib.term.URIRef'>, 'JSConstraint': <class 'rdflib.term.URIRef'>, 'JSConstraintComponent': <class 'rdflib.term.URIRef'>, 'JSExecutable': <class 'rdflib.term.URIRef'>, 'JSFunction': <class 'rdflib.term.URIRef'>, 'JSLibrary': <class 'rdflib.term.URIRef'>, 'JSRule': <class 'rdflib.term.URIRef'>, 'JSTarget': <class 'rdflib.term.URIRef'>, 'JSTargetType': <class 'rdflib.term.URIRef'>, 'JSValidator': <class 'rdflib.term.URIRef'>, 'LanguageInConstraintComponent': <class 'rdflib.term.URIRef'>, 'LessThanConstraintComponent': <class 'rdflib.term.URIRef'>, 'LessThanOrEqualsConstraintComponent': <class 'rdflib.term.URIRef'>, 'Literal': <class 'rdflib.term.URIRef'>, 'MaxCountConstraintComponent': <class 'rdflib.term.URIRef'>, 'MaxExclusiveConstraintComponent': <class 'rdflib.term.URIRef'>, 'MaxInclusiveConstraintComponent': <class 'rdflib.term.URIRef'>, 'MaxLengthConstraintComponent': <class 'rdflib.term.URIRef'>, 'MinCountConstraintComponent': <class 'rdflib.term.URIRef'>, 'MinExclusiveConstraintComponent': <class 'rdflib.term.URIRef'>, 'MinInclusiveConstraintComponent': <class 'rdflib.term.URIRef'>, 'MinLengthConstraintComponent': <class 'rdflib.term.URIRef'>, 'NodeConstraintComponent': <class 'rdflib.term.URIRef'>, 'NodeKind': <class 'rdflib.term.URIRef'>, 'NodeKindConstraintComponent': <class 'rdflib.term.URIRef'>, 'NodeShape': <class 'rdflib.term.URIRef'>, 'NotConstraintComponent': <class 'rdflib.term.URIRef'>, 'OrConstraintComponent': <class 'rdflib.term.URIRef'>, 'Parameter': <class 'rdflib.term.URIRef'>, 'Parameterizable': <class 'rdflib.term.URIRef'>, 'PatternConstraintComponent': <class 'rdflib.term.URIRef'>, 'PrefixDeclaration': <class 'rdflib.term.URIRef'>, 'PropertyConstraintComponent': <class 'rdflib.term.URIRef'>, 'PropertyGroup': <class 'rdflib.term.URIRef'>, 'PropertyShape': <class 'rdflib.term.URIRef'>, 'QualifiedMaxCountConstraintComponent': <class 'rdflib.term.URIRef'>, 'QualifiedMinCountConstraintComponent': <class 'rdflib.term.URIRef'>, 'ResultAnnotation': <class 'rdflib.term.URIRef'>, 'Rule': <class 'rdflib.term.URIRef'>, 'SPARQLAskExecutable': <class 'rdflib.term.URIRef'>, 'SPARQLAskValidator': <class 'rdflib.term.URIRef'>, 'SPARQLConstraint': <class 'rdflib.term.URIRef'>, 'SPARQLConstraintComponent': <class 'rdflib.term.URIRef'>, 'SPARQLConstructExecutable': <class 'rdflib.term.URIRef'>, 'SPARQLExecutable': <class 'rdflib.term.URIRef'>, 'SPARQLFunction': <class 'rdflib.term.URIRef'>, 'SPARQLRule': <class 'rdflib.term.URIRef'>, 'SPARQLSelectExecutable': <class 'rdflib.term.URIRef'>, 'SPARQLSelectValidator': <class 'rdflib.term.URIRef'>, 'SPARQLTarget': <class 'rdflib.term.URIRef'>, 'SPARQLTargetType': <class 'rdflib.term.URIRef'>, 'SPARQLUpdateExecutable': <class 'rdflib.term.URIRef'>, 'Severity': <class 'rdflib.term.URIRef'>, 'Shape': <class 'rdflib.term.URIRef'>, 'Target': <class 'rdflib.term.URIRef'>, 'TargetType': <class 'rdflib.term.URIRef'>, 'TripleRule': <class 'rdflib.term.URIRef'>, 'UniqueLangConstraintComponent': <class 'rdflib.term.URIRef'>, 'ValidationReport': <class 'rdflib.term.URIRef'>, 'ValidationResult': <class 'rdflib.term.URIRef'>, 'Validator': <class 'rdflib.term.URIRef'>, 'Violation': <class 'rdflib.term.URIRef'>, 'Warning': <class 'rdflib.term.URIRef'>, 'XoneConstraintComponent': <class 'rdflib.term.URIRef'>, 'alternativePath': <class 'rdflib.term.URIRef'>, 'annotationProperty': <class 'rdflib.term.URIRef'>, 'annotationValue': <class 'rdflib.term.URIRef'>, 'annotationVarName': <class 'rdflib.term.URIRef'>, 'ask': <class 'rdflib.term.URIRef'>, 'closed': <class 'rdflib.term.URIRef'>, 'condition': <class 'rdflib.term.URIRef'>, 'conforms': <class 'rdflib.term.URIRef'>, 'construct': <class 'rdflib.term.URIRef'>, 'datatype': <class 'rdflib.term.URIRef'>, 'deactivated': <class 'rdflib.term.URIRef'>, 'declare': <class 'rdflib.term.URIRef'>, 'defaultValue': <class 'rdflib.term.URIRef'>, 'description': <class 'rdflib.term.URIRef'>, 'detail': <class 'rdflib.term.URIRef'>, 'disjoint': <class 'rdflib.term.URIRef'>, 'entailment': <class 'rdflib.term.URIRef'>, 'equals': <class 'rdflib.term.URIRef'>, 'expression': <class 'rdflib.term.URIRef'>, 'filterShape': <class 'rdflib.term.URIRef'>, 'flags': <class 'rdflib.term.URIRef'>, 'focusNode': <class 'rdflib.term.URIRef'>, 'group': <class 'rdflib.term.URIRef'>, 'hasValue': <class 'rdflib.term.URIRef'>, 'ignoredProperties': <class 'rdflib.term.URIRef'>, 'intersection': <class 'rdflib.term.URIRef'>, 'inversePath': <class 'rdflib.term.URIRef'>, 'js': <class 'rdflib.term.URIRef'>, 'jsFunctionName': <class 'rdflib.term.URIRef'>, 'jsLibrary': <class 'rdflib.term.URIRef'>, 'jsLibraryURL': <class 'rdflib.term.URIRef'>, 'labelTemplate': <class 'rdflib.term.URIRef'>, 'languageIn': <class 'rdflib.term.URIRef'>, 'lessThan': <class 'rdflib.term.URIRef'>, 'lessThanOrEquals': <class 'rdflib.term.URIRef'>, 'maxCount': <class 'rdflib.term.URIRef'>, 'maxExclusive': <class 'rdflib.term.URIRef'>, 'maxInclusive': <class 'rdflib.term.URIRef'>, 'maxLength': <class 'rdflib.term.URIRef'>, 'message': <class 'rdflib.term.URIRef'>, 'minCount': <class 'rdflib.term.URIRef'>, 'minExclusive': <class 'rdflib.term.URIRef'>, 'minInclusive': <class 'rdflib.term.URIRef'>, 'minLength': <class 'rdflib.term.URIRef'>, 'name': <class 'rdflib.term.URIRef'>, 'namespace': <class 'rdflib.term.URIRef'>, 'node': <class 'rdflib.term.URIRef'>, 'nodeKind': <class 'rdflib.term.URIRef'>, 'nodeValidator': <class 'rdflib.term.URIRef'>, 'nodes': <class 'rdflib.term.URIRef'>, 'object': <class 'rdflib.term.URIRef'>, 'oneOrMorePath': <class 'rdflib.term.URIRef'>, 'optional': <class 'rdflib.term.URIRef'>, 'order': <class 'rdflib.term.URIRef'>, 'parameter': <class 'rdflib.term.URIRef'>, 'path': <class 'rdflib.term.URIRef'>, 'pattern': <class 'rdflib.term.URIRef'>, 'predicate': <class 'rdflib.term.URIRef'>, 'prefix': <class 'rdflib.term.URIRef'>, 'prefixes': <class 'rdflib.term.URIRef'>, 'property': <class 'rdflib.term.URIRef'>, 'propertyValidator': <class 'rdflib.term.URIRef'>, 'qualifiedMaxCount': <class 'rdflib.term.URIRef'>, 'qualifiedMinCount': <class 'rdflib.term.URIRef'>, 'qualifiedValueShape': <class 'rdflib.term.URIRef'>, 'qualifiedValueShapesDisjoint': <class 'rdflib.term.URIRef'>, 'result': <class 'rdflib.term.URIRef'>, 'resultAnnotation': <class 'rdflib.term.URIRef'>, 'resultMessage': <class 'rdflib.term.URIRef'>, 'resultPath': <class 'rdflib.term.URIRef'>, 'resultSeverity': <class 'rdflib.term.URIRef'>, 'returnType': <class 'rdflib.term.URIRef'>, 'rule': <class 'rdflib.term.URIRef'>, 'select': <class 'rdflib.term.URIRef'>, 'severity': <class 'rdflib.term.URIRef'>, 'shapesGraph': <class 'rdflib.term.URIRef'>, 'shapesGraphWellFormed': <class 'rdflib.term.URIRef'>, 'sourceConstraint': <class 'rdflib.term.URIRef'>, 'sourceConstraintComponent': <class 'rdflib.term.URIRef'>, 'sourceShape': <class 'rdflib.term.URIRef'>, 'sparql': <class 'rdflib.term.URIRef'>, 'subject': <class 'rdflib.term.URIRef'>, 'suggestedShapesGraph': <class 'rdflib.term.URIRef'>, 'target': <class 'rdflib.term.URIRef'>, 'targetClass': <class 'rdflib.term.URIRef'>, 'targetNode': <class 'rdflib.term.URIRef'>, 'targetObjectsOf': <class 'rdflib.term.URIRef'>, 'targetSubjectsOf': <class 'rdflib.term.URIRef'>, 'this': <class 'rdflib.term.URIRef'>, 'union': <class 'rdflib.term.URIRef'>, 'uniqueLang': <class 'rdflib.term.URIRef'>, 'update': <class 'rdflib.term.URIRef'>, 'validator': <class 'rdflib.term.URIRef'>, 'value': <class 'rdflib.term.URIRef'>, 'xone': <class 'rdflib.term.URIRef'>, 'zeroOrMorePath': <class 'rdflib.term.URIRef'>, 'zeroOrOnePath': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._SH'
alternativePath: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#alternativePath')
annotationProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#annotationProperty')
annotationValue: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#annotationValue')
annotationVarName: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#annotationVarName')
ask: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ask')
closed: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#closed')
condition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#condition')
conforms: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#conforms')
construct: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#construct')
datatype: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#datatype')
deactivated: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#deactivated')
declare: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#declare')
defaultValue: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#defaultValue')
description: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#description')
detail: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#detail')
disjoint: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#disjoint')
entailment: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#entailment')
equals: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#equals')
expression: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#expression')
filterShape: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#filterShape')
flags: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#flags')
focusNode: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#focusNode')
group: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#group')
hasValue: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#hasValue')
ignoredProperties: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#ignoredProperties')
intersection: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#intersection')
inversePath: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#inversePath')
js: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#js')
jsFunctionName: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#jsFunctionName')
jsLibrary: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#jsLibrary')
jsLibraryURL: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#jsLibraryURL')
labelTemplate: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#labelTemplate')
languageIn: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#languageIn')
lessThan: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#lessThan')
lessThanOrEquals: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#lessThanOrEquals')
maxCount: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#maxCount')
maxExclusive: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#maxExclusive')
maxInclusive: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#maxInclusive')
maxLength: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#maxLength')
message: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#message')
minCount: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#minCount')
minExclusive: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#minExclusive')
minInclusive: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#minInclusive')
minLength: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#minLength')
name: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#name')
namespace: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#namespace')
node: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#node')
nodeKind: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#nodeKind')
nodeValidator: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#nodeValidator')
nodes: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#nodes')
object: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#object')
oneOrMorePath: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#oneOrMorePath')
optional: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#optional')
order: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#order')
parameter: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#parameter')
path: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#path')
pattern: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#pattern')
predicate: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#predicate')
prefix: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#prefix')
prefixes: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#prefixes')
property: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#property')
propertyValidator: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#propertyValidator')
qualifiedMaxCount: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#qualifiedMaxCount')
qualifiedMinCount: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#qualifiedMinCount')
qualifiedValueShape: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#qualifiedValueShape')
qualifiedValueShapesDisjoint: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#qualifiedValueShapesDisjoint')
result: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#result')
resultAnnotation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#resultAnnotation')
resultMessage: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#resultMessage')
resultPath: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#resultPath')
resultSeverity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#resultSeverity')
returnType: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#returnType')
rule: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#rule')
select: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#select')
severity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#severity')
shapesGraph: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#shapesGraph')
shapesGraphWellFormed: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#shapesGraphWellFormed')
sourceConstraint: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#sourceConstraint')
sourceConstraintComponent: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#sourceConstraintComponent')
sourceShape: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#sourceShape')
sparql: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#sparql')
subject: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#subject')
suggestedShapesGraph: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#suggestedShapesGraph')
target: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#target')
targetClass: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#targetClass')
targetNode: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#targetNode')
targetObjectsOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#targetObjectsOf')
targetSubjectsOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#targetSubjectsOf')
this: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#this')
union: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#union')
uniqueLang: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#uniqueLang')
update: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#update')
validator: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#validator')
value: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#value')
xone: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#xone')
zeroOrMorePath: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#zeroOrMorePath')
zeroOrOnePath: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/shacl#zeroOrOnePath')
class rdflib.SKOS[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#Collection')
Concept: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#Concept')
ConceptScheme: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#ConceptScheme')
OrderedCollection: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#OrderedCollection')
__annotations__ = {'Collection': <class 'rdflib.term.URIRef'>, 'Concept': <class 'rdflib.term.URIRef'>, 'ConceptScheme': <class 'rdflib.term.URIRef'>, 'OrderedCollection': <class 'rdflib.term.URIRef'>, 'altLabel': <class 'rdflib.term.URIRef'>, 'broadMatch': <class 'rdflib.term.URIRef'>, 'broader': <class 'rdflib.term.URIRef'>, 'broaderTransitive': <class 'rdflib.term.URIRef'>, 'changeNote': <class 'rdflib.term.URIRef'>, 'closeMatch': <class 'rdflib.term.URIRef'>, 'definition': <class 'rdflib.term.URIRef'>, 'editorialNote': <class 'rdflib.term.URIRef'>, 'exactMatch': <class 'rdflib.term.URIRef'>, 'example': <class 'rdflib.term.URIRef'>, 'hasTopConcept': <class 'rdflib.term.URIRef'>, 'hiddenLabel': <class 'rdflib.term.URIRef'>, 'historyNote': <class 'rdflib.term.URIRef'>, 'inScheme': <class 'rdflib.term.URIRef'>, 'mappingRelation': <class 'rdflib.term.URIRef'>, 'member': <class 'rdflib.term.URIRef'>, 'memberList': <class 'rdflib.term.URIRef'>, 'narrowMatch': <class 'rdflib.term.URIRef'>, 'narrower': <class 'rdflib.term.URIRef'>, 'narrowerTransitive': <class 'rdflib.term.URIRef'>, 'notation': <class 'rdflib.term.URIRef'>, 'note': <class 'rdflib.term.URIRef'>, 'prefLabel': <class 'rdflib.term.URIRef'>, 'related': <class 'rdflib.term.URIRef'>, 'relatedMatch': <class 'rdflib.term.URIRef'>, 'scopeNote': <class 'rdflib.term.URIRef'>, 'semanticRelation': <class 'rdflib.term.URIRef'>, 'topConceptOf': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._SKOS'
altLabel: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#altLabel')
broadMatch: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#broadMatch')
broader: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#broader')
broaderTransitive: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#broaderTransitive')
changeNote: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#changeNote')
closeMatch: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#closeMatch')
definition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#definition')
editorialNote: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#editorialNote')
exactMatch: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#exactMatch')
example: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#example')
hasTopConcept: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#hasTopConcept')
hiddenLabel: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#hiddenLabel')
historyNote: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#historyNote')
inScheme: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#inScheme')
mappingRelation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#mappingRelation')
member: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#member')
memberList: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#memberList')
narrowMatch: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#narrowMatch')
narrower: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#narrower')
narrowerTransitive: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#narrowerTransitive')
notation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#notation')
note: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#note')
prefLabel: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#prefLabel')
related: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#related')
relatedMatch: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#relatedMatch')
scopeNote: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#scopeNote')
semanticRelation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#semanticRelation')
topConceptOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2004/02/skos/core#topConceptOf')
class rdflib.SOSA[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/ActuatableProperty')
Actuation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Actuation')
Actuator: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Actuator')
FeatureOfInterest: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/FeatureOfInterest')
ObservableProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/ObservableProperty')
Observation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Observation')
Platform: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Platform')
Procedure: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Procedure')
Result: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Result')
Sample: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Sample')
Sampler: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Sampler')
Sampling: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Sampling')
Sensor: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/Sensor')
__annotations__ = {'ActuatableProperty': <class 'rdflib.term.URIRef'>, 'Actuation': <class 'rdflib.term.URIRef'>, 'Actuator': <class 'rdflib.term.URIRef'>, 'FeatureOfInterest': <class 'rdflib.term.URIRef'>, 'ObservableProperty': <class 'rdflib.term.URIRef'>, 'Observation': <class 'rdflib.term.URIRef'>, 'Platform': <class 'rdflib.term.URIRef'>, 'Procedure': <class 'rdflib.term.URIRef'>, 'Result': <class 'rdflib.term.URIRef'>, 'Sample': <class 'rdflib.term.URIRef'>, 'Sampler': <class 'rdflib.term.URIRef'>, 'Sampling': <class 'rdflib.term.URIRef'>, 'Sensor': <class 'rdflib.term.URIRef'>, 'actsOnProperty': <class 'rdflib.term.URIRef'>, 'hasFeatureOfInterest': <class 'rdflib.term.URIRef'>, 'hasResult': <class 'rdflib.term.URIRef'>, 'hasSample': <class 'rdflib.term.URIRef'>, 'hasSimpleResult': <class 'rdflib.term.URIRef'>, 'hosts': <class 'rdflib.term.URIRef'>, 'isActedOnBy': <class 'rdflib.term.URIRef'>, 'isFeatureOfInterestOf': <class 'rdflib.term.URIRef'>, 'isHostedBy': <class 'rdflib.term.URIRef'>, 'isObservedBy': <class 'rdflib.term.URIRef'>, 'isResultOf': <class 'rdflib.term.URIRef'>, 'isSampleOf': <class 'rdflib.term.URIRef'>, 'madeActuation': <class 'rdflib.term.URIRef'>, 'madeByActuator': <class 'rdflib.term.URIRef'>, 'madeBySampler': <class 'rdflib.term.URIRef'>, 'madeBySensor': <class 'rdflib.term.URIRef'>, 'madeObservation': <class 'rdflib.term.URIRef'>, 'madeSampling': <class 'rdflib.term.URIRef'>, 'observedProperty': <class 'rdflib.term.URIRef'>, 'observes': <class 'rdflib.term.URIRef'>, 'phenomenonTime': <class 'rdflib.term.URIRef'>, 'resultTime': <class 'rdflib.term.URIRef'>, 'usedProcedure': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._SOSA'
actsOnProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/actsOnProperty')
hasFeatureOfInterest: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/hasFeatureOfInterest')
hasResult: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/hasResult')
hasSample: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/hasSample')
hasSimpleResult: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/hasSimpleResult')
hosts: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/hosts')
isActedOnBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/isActedOnBy')
isFeatureOfInterestOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/isFeatureOfInterestOf')
isHostedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/isHostedBy')
isObservedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/isObservedBy')
isResultOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/isResultOf')
isSampleOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/isSampleOf')
madeActuation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/madeActuation')
madeByActuator: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/madeByActuator')
madeBySampler: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/madeBySampler')
madeBySensor: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/madeBySensor')
madeObservation: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/madeObservation')
madeSampling: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/madeSampling')
observedProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/observedProperty')
observes: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/observes')
phenomenonTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/phenomenonTime')
resultTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/resultTime')
usedProcedure: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/sosa/usedProcedure')
class rdflib.SSN[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/Deployment')
Input: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/Input')
Output: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/Output')
Property: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/Property')
Stimulus: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/Stimulus')
System: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/System')
__annotations__ = {'Deployment': <class 'rdflib.term.URIRef'>, 'Input': <class 'rdflib.term.URIRef'>, 'Output': <class 'rdflib.term.URIRef'>, 'Property': <class 'rdflib.term.URIRef'>, 'Stimulus': <class 'rdflib.term.URIRef'>, 'System': <class 'rdflib.term.URIRef'>, 'deployedOnPlatform': <class 'rdflib.term.URIRef'>, 'deployedSystem': <class 'rdflib.term.URIRef'>, 'detects': <class 'rdflib.term.URIRef'>, 'forProperty': <class 'rdflib.term.URIRef'>, 'hasDeployment': <class 'rdflib.term.URIRef'>, 'hasInput': <class 'rdflib.term.URIRef'>, 'hasOutput': <class 'rdflib.term.URIRef'>, 'hasProperty': <class 'rdflib.term.URIRef'>, 'hasSubSystem': <class 'rdflib.term.URIRef'>, 'implementedBy': <class 'rdflib.term.URIRef'>, 'implements': <class 'rdflib.term.URIRef'>, 'inDeployment': <class 'rdflib.term.URIRef'>, 'isPropertyOf': <class 'rdflib.term.URIRef'>, 'isProxyFor': <class 'rdflib.term.URIRef'>, 'wasOriginatedBy': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._SSN'
deployedOnPlatform: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/deployedOnPlatform')
deployedSystem: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/deployedSystem')
detects: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/detects')
forProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/forProperty')
hasDeployment: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/hasDeployment')
hasInput: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/hasInput')
hasOutput: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/hasOutput')
hasProperty: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/hasProperty')
hasSubSystem: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/hasSubSystem')
implementedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/implementedBy')
implements: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/implements')
inDeployment: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/inDeployment')
isPropertyOf: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/isPropertyOf')
isProxyFor: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/isProxyFor')
wasOriginatedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/ns/ssn/wasOriginatedBy')
class rdflib.TIME[source]

Bases: rdflib.namespace.DefinedNamespace

OWL-Time

Generated from: http://www.w3.org/2006/time# Date: 2020-05-26 14:20:10.531265

DateTimeDescription: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#DateTimeDescription')
DateTimeInterval: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#DateTimeInterval')
DayOfWeek: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#DayOfWeek')
Duration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Duration')
DurationDescription: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#DurationDescription')
Friday: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Friday')
GeneralDateTimeDescription: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#GeneralDateTimeDescription')
GeneralDurationDescription: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#GeneralDurationDescription')
Instant: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Instant')
Interval: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Interval')
January: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#January')
Monday: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Monday')
MonthOfYear: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#MonthOfYear')
ProperInterval: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#ProperInterval')
Saturday: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Saturday')
Sunday: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Sunday')
TRS: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TRS')
TemporalDuration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TemporalDuration')
TemporalEntity: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TemporalEntity')
TemporalPosition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TemporalPosition')
TemporalUnit: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TemporalUnit')
Thursday: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Thursday')
TimePosition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TimePosition')
TimeZone: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#TimeZone')
Tuesday: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Tuesday')
Wednesday: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Wednesday')
Year: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#Year')
__annotations__ = {'DateTimeDescription': <class 'rdflib.term.URIRef'>, 'DateTimeInterval': <class 'rdflib.term.URIRef'>, 'DayOfWeek': <class 'rdflib.term.URIRef'>, 'Duration': <class 'rdflib.term.URIRef'>, 'DurationDescription': <class 'rdflib.term.URIRef'>, 'Friday': <class 'rdflib.term.URIRef'>, 'GeneralDateTimeDescription': <class 'rdflib.term.URIRef'>, 'GeneralDurationDescription': <class 'rdflib.term.URIRef'>, 'Instant': <class 'rdflib.term.URIRef'>, 'Interval': <class 'rdflib.term.URIRef'>, 'January': <class 'rdflib.term.URIRef'>, 'Monday': <class 'rdflib.term.URIRef'>, 'MonthOfYear': <class 'rdflib.term.URIRef'>, 'ProperInterval': <class 'rdflib.term.URIRef'>, 'Saturday': <class 'rdflib.term.URIRef'>, 'Sunday': <class 'rdflib.term.URIRef'>, 'TRS': <class 'rdflib.term.URIRef'>, 'TemporalDuration': <class 'rdflib.term.URIRef'>, 'TemporalEntity': <class 'rdflib.term.URIRef'>, 'TemporalPosition': <class 'rdflib.term.URIRef'>, 'TemporalUnit': <class 'rdflib.term.URIRef'>, 'Thursday': <class 'rdflib.term.URIRef'>, 'TimePosition': <class 'rdflib.term.URIRef'>, 'TimeZone': <class 'rdflib.term.URIRef'>, 'Tuesday': <class 'rdflib.term.URIRef'>, 'Wednesday': <class 'rdflib.term.URIRef'>, 'Year': <class 'rdflib.term.URIRef'>, 'after': <class 'rdflib.term.URIRef'>, 'before': <class 'rdflib.term.URIRef'>, 'day': <class 'rdflib.term.URIRef'>, 'dayOfWeek': <class 'rdflib.term.URIRef'>, 'dayOfYear': <class 'rdflib.term.URIRef'>, 'days': <class 'rdflib.term.URIRef'>, 'generalDay': <class 'rdflib.term.URIRef'>, 'generalMonth': <class 'rdflib.term.URIRef'>, 'generalYear': <class 'rdflib.term.URIRef'>, 'hasBeginning': <class 'rdflib.term.URIRef'>, 'hasDateTimeDescription': <class 'rdflib.term.URIRef'>, 'hasDuration': <class 'rdflib.term.URIRef'>, 'hasDurationDescription': <class 'rdflib.term.URIRef'>, 'hasEnd': <class 'rdflib.term.URIRef'>, 'hasTRS': <class 'rdflib.term.URIRef'>, 'hasTemporalDuration': <class 'rdflib.term.URIRef'>, 'hasTime': <class 'rdflib.term.URIRef'>, 'hasXSDDuration': <class 'rdflib.term.URIRef'>, 'hour': <class 'rdflib.term.URIRef'>, 'hours': <class 'rdflib.term.URIRef'>, 'inDateTime': <class 'rdflib.term.URIRef'>, 'inTemporalPosition': <class 'rdflib.term.URIRef'>, 'inTimePosition': <class 'rdflib.term.URIRef'>, 'inXSDDate': <class 'rdflib.term.URIRef'>, 'inXSDDateTime': <class 'rdflib.term.URIRef'>, 'inXSDDateTimeStamp': <class 'rdflib.term.URIRef'>, 'inXSDgYear': <class 'rdflib.term.URIRef'>, 'inXSDgYearMonth': <class 'rdflib.term.URIRef'>, 'inside': <class 'rdflib.term.URIRef'>, 'intervalAfter': <class 'rdflib.term.URIRef'>, 'intervalBefore': <class 'rdflib.term.URIRef'>, 'intervalContains': <class 'rdflib.term.URIRef'>, 'intervalDisjoint': <class 'rdflib.term.URIRef'>, 'intervalDuring': <class 'rdflib.term.URIRef'>, 'intervalEquals': <class 'rdflib.term.URIRef'>, 'intervalFinishedBy': <class 'rdflib.term.URIRef'>, 'intervalFinishes': <class 'rdflib.term.URIRef'>, 'intervalIn': <class 'rdflib.term.URIRef'>, 'intervalMeets': <class 'rdflib.term.URIRef'>, 'intervalMetBy': <class 'rdflib.term.URIRef'>, 'intervalOverlappedBy': <class 'rdflib.term.URIRef'>, 'intervalOverlaps': <class 'rdflib.term.URIRef'>, 'intervalStartedBy': <class 'rdflib.term.URIRef'>, 'intervalStarts': <class 'rdflib.term.URIRef'>, 'minute': <class 'rdflib.term.URIRef'>, 'minutes': <class 'rdflib.term.URIRef'>, 'month': <class 'rdflib.term.URIRef'>, 'monthOfYear': <class 'rdflib.term.URIRef'>, 'months': <class 'rdflib.term.URIRef'>, 'nominalPosition': <class 'rdflib.term.URIRef'>, 'numericDuration': <class 'rdflib.term.URIRef'>, 'numericPosition': <class 'rdflib.term.URIRef'>, 'second': <class 'rdflib.term.URIRef'>, 'seconds': <class 'rdflib.term.URIRef'>, 'timeZone': <class 'rdflib.term.URIRef'>, 'unitDay': <class 'rdflib.term.URIRef'>, 'unitHour': <class 'rdflib.term.URIRef'>, 'unitMinute': <class 'rdflib.term.URIRef'>, 'unitMonth': <class 'rdflib.term.URIRef'>, 'unitSecond': <class 'rdflib.term.URIRef'>, 'unitType': <class 'rdflib.term.URIRef'>, 'unitWeek': <class 'rdflib.term.URIRef'>, 'unitYear': <class 'rdflib.term.URIRef'>, 'week': <class 'rdflib.term.URIRef'>, 'weeks': <class 'rdflib.term.URIRef'>, 'xsdDateTime': <class 'rdflib.term.URIRef'>, 'year': <class 'rdflib.term.URIRef'>, 'years': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._TIME'
after: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#after')
before: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#before')
day: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#day')
dayOfWeek: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#dayOfWeek')
dayOfYear: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#dayOfYear')
days: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#days')
generalDay: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#generalDay')
generalMonth: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#generalMonth')
generalYear: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#generalYear')
hasBeginning: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasBeginning')
hasDateTimeDescription: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasDateTimeDescription')
hasDuration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasDuration')
hasDurationDescription: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasDurationDescription')
hasEnd: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasEnd')
hasTRS: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasTRS')
hasTemporalDuration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasTemporalDuration')
hasTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasTime')
hasXSDDuration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hasXSDDuration')
hour: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hour')
hours: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#hours')
inDateTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inDateTime')
inTemporalPosition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inTemporalPosition')
inTimePosition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inTimePosition')
inXSDDate: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inXSDDate')
inXSDDateTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inXSDDateTime')
inXSDDateTimeStamp: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inXSDDateTimeStamp')
inXSDgYear: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inXSDgYear')
inXSDgYearMonth: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inXSDgYearMonth')
inside: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#inside')
intervalAfter: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalAfter')
intervalBefore: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalBefore')
intervalContains: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalContains')
intervalDisjoint: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalDisjoint')
intervalDuring: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalDuring')
intervalEquals: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalEquals')
intervalFinishedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalFinishedBy')
intervalFinishes: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalFinishes')
intervalIn: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalIn')
intervalMeets: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalMeets')
intervalMetBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalMetBy')
intervalOverlappedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalOverlappedBy')
intervalOverlaps: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalOverlaps')
intervalStartedBy: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalStartedBy')
intervalStarts: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#intervalStarts')
minute: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#minute')
minutes: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#minutes')
month: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#month')
monthOfYear: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#monthOfYear')
months: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#months')
nominalPosition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#nominalPosition')
numericDuration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#numericDuration')
numericPosition: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#numericPosition')
second: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#second')
seconds: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#seconds')
timeZone: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#timeZone')
unitDay: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitDay')
unitHour: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitHour')
unitMinute: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitMinute')
unitMonth: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitMonth')
unitSecond: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitSecond')
unitType: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitType')
unitWeek: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitWeek')
unitYear: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#unitYear')
week: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#week')
weeks: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#weeks')
xsdDateTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#xsdDateTime')
year: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#year')
years: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2006/time#years')
class rdflib.URIRef(value: str, base: Optional[str] = None)[source]

Bases: rdflib.term.Identifier

RDF URI Reference: http://www.w3.org/TR/rdf-concepts/#section-Graph-URIref

__add__(other)[source]

Return self+value.

__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')]}
__getnewargs__()[source]
__invert__()

inverse path

__mod__(other)[source]

Return self%value.

__module__ = 'rdflib.term'
__mul__(mul)

cardinality path

__neg__()

negated path

static __new__(cls, value: str, base: Optional[str] = None)[source]
__or__(other)

alternative path

__radd__(other)[source]
__reduce__()[source]

Helper for pickle.

__repr__()[source]

Return repr(self).

__slots__ = ()
__truediv__(other)

sequence path

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.

defrag()[source]
n3(namespace_manager=None) str[source]

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

Parameters

namespace_manager – if not None, will be used to make up a prefixed name

toPython()[source]
class rdflib.VANN[source]

Bases: rdflib.namespace.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

__annotations__ = {'changes': <class 'rdflib.term.URIRef'>, 'example': <class 'rdflib.term.URIRef'>, 'preferredNamespacePrefix': <class 'rdflib.term.URIRef'>, 'preferredNamespaceUri': <class 'rdflib.term.URIRef'>, 'termGroup': <class 'rdflib.term.URIRef'>, 'usageNote': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._VANN'
changes: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/vocab/vann/changes')
example: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/vocab/vann/example')
preferredNamespacePrefix: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/vocab/vann/preferredNamespacePrefix')
preferredNamespaceUri: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/vocab/vann/preferredNamespaceUri')
termGroup: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/vocab/vann/termGroup')
usageNote: rdflib.term.URIRef = rdflib.term.URIRef('http://purl.org/vocab/vann/usageNote')
class rdflib.VOID[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#Dataset')
DatasetDescription: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#DatasetDescription')
Linkset: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#Linkset')
TechnicalFeature: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#TechnicalFeature')
__annotations__ = {'Dataset': <class 'rdflib.term.URIRef'>, 'DatasetDescription': <class 'rdflib.term.URIRef'>, 'Linkset': <class 'rdflib.term.URIRef'>, 'TechnicalFeature': <class 'rdflib.term.URIRef'>, 'classPartition': <class 'rdflib.term.URIRef'>, 'classes': <class 'rdflib.term.URIRef'>, 'dataDump': <class 'rdflib.term.URIRef'>, 'distinctObjects': <class 'rdflib.term.URIRef'>, 'distinctSubjects': <class 'rdflib.term.URIRef'>, 'documents': <class 'rdflib.term.URIRef'>, 'entities': <class 'rdflib.term.URIRef'>, 'exampleResource': <class 'rdflib.term.URIRef'>, 'feature': <class 'rdflib.term.URIRef'>, 'inDataset': <class 'rdflib.term.URIRef'>, 'linkPredicate': <class 'rdflib.term.URIRef'>, 'objectsTarget': <class 'rdflib.term.URIRef'>, 'openSearchDescription': <class 'rdflib.term.URIRef'>, 'properties': <class 'rdflib.term.URIRef'>, 'property': <class 'rdflib.term.URIRef'>, 'propertyPartition': <class 'rdflib.term.URIRef'>, 'rootResource': <class 'rdflib.term.URIRef'>, 'sparqlEndpoint': <class 'rdflib.term.URIRef'>, 'subjectsTarget': <class 'rdflib.term.URIRef'>, 'subset': <class 'rdflib.term.URIRef'>, 'target': <class 'rdflib.term.URIRef'>, 'triples': <class 'rdflib.term.URIRef'>, 'uriLookupEndpoint': <class 'rdflib.term.URIRef'>, 'uriRegexPattern': <class 'rdflib.term.URIRef'>, 'uriSpace': <class 'rdflib.term.URIRef'>, 'vocabulary': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._VOID'
classPartition: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#classPartition')
classes: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#classes')
dataDump: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#dataDump')
distinctObjects: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#distinctObjects')
distinctSubjects: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#distinctSubjects')
documents: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#documents')
entities: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#entities')
exampleResource: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#exampleResource')
feature: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#feature')
inDataset: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#inDataset')
linkPredicate: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#linkPredicate')
objectsTarget: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#objectsTarget')
openSearchDescription: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#openSearchDescription')
properties: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#properties')
property: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#property')
propertyPartition: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#propertyPartition')
rootResource: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#rootResource')
sparqlEndpoint: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#sparqlEndpoint')
subjectsTarget: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#subjectsTarget')
subset: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#subset')
target: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#target')
triples: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#triples')
uriLookupEndpoint: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#uriLookupEndpoint')
uriRegexPattern: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#uriRegexPattern')
uriSpace: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#uriSpace')
vocabulary: rdflib.term.URIRef = rdflib.term.URIRef('http://rdfs.org/ns/void#vocabulary')
class rdflib.Variable(value)[source]

Bases: rdflib.term.Identifier

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

__annotations__ = {}
__module__ = 'rdflib.term'
static __new__(cls, value)[source]
__reduce__()[source]

Helper for pickle.

__repr__()[source]

Return repr(self).

__slots__ = ()
n3(namespace_manager=None)[source]
toPython()[source]
class rdflib.XSD[source]

Bases: rdflib.namespace.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: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#Assertions')
ENTITIES: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#ENTITIES')
ENTITY: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#ENTITY')
ID: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#ID')
IDREF: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#IDREF')
IDREFS: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#IDREFS')
NCName: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#NCName')
NMTOKEN: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#NMTOKEN')
NMTOKENS: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#NMTOKENS')
NOTATION: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#NOTATION')
Name: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#Name')
QName: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#QName')
__annotations__ = {'Assertions': <class 'rdflib.term.URIRef'>, 'ENTITIES': <class 'rdflib.term.URIRef'>, 'ENTITY': <class 'rdflib.term.URIRef'>, 'ID': <class 'rdflib.term.URIRef'>, 'IDREF': <class 'rdflib.term.URIRef'>, 'IDREFS': <class 'rdflib.term.URIRef'>, 'NCName': <class 'rdflib.term.URIRef'>, 'NMTOKEN': <class 'rdflib.term.URIRef'>, 'NMTOKENS': <class 'rdflib.term.URIRef'>, 'NOTATION': <class 'rdflib.term.URIRef'>, 'Name': <class 'rdflib.term.URIRef'>, 'QName': <class 'rdflib.term.URIRef'>, 'anyURI': <class 'rdflib.term.URIRef'>, 'base64Binary': <class 'rdflib.term.URIRef'>, 'boolean': <class 'rdflib.term.URIRef'>, 'bounded': <class 'rdflib.term.URIRef'>, 'byte': <class 'rdflib.term.URIRef'>, 'cardinality': <class 'rdflib.term.URIRef'>, 'date': <class 'rdflib.term.URIRef'>, 'dateTime': <class 'rdflib.term.URIRef'>, 'dateTimeStamp': <class 'rdflib.term.URIRef'>, 'day': <class 'rdflib.term.URIRef'>, 'dayTimeDuration': <class 'rdflib.term.URIRef'>, 'decimal': <class 'rdflib.term.URIRef'>, 'double': <class 'rdflib.term.URIRef'>, 'duration': <class 'rdflib.term.URIRef'>, 'enumeration': <class 'rdflib.term.URIRef'>, 'explicitTimezone': <class 'rdflib.term.URIRef'>, 'float': <class 'rdflib.term.URIRef'>, 'fractionDigits': <class 'rdflib.term.URIRef'>, 'gDay': <class 'rdflib.term.URIRef'>, 'gMonth': <class 'rdflib.term.URIRef'>, 'gMonthDay': <class 'rdflib.term.URIRef'>, 'gYear': <class 'rdflib.term.URIRef'>, 'gYearMonth': <class 'rdflib.term.URIRef'>, 'hexBinary': <class 'rdflib.term.URIRef'>, 'hour': <class 'rdflib.term.URIRef'>, 'int': <class 'rdflib.term.URIRef'>, 'integer': <class 'rdflib.term.URIRef'>, 'language': <class 'rdflib.term.URIRef'>, 'length': <class 'rdflib.term.URIRef'>, 'long': <class 'rdflib.term.URIRef'>, 'maxExclusive': <class 'rdflib.term.URIRef'>, 'maxInclusive': <class 'rdflib.term.URIRef'>, 'maxLength': <class 'rdflib.term.URIRef'>, 'minExclusive': <class 'rdflib.term.URIRef'>, 'minInclusive': <class 'rdflib.term.URIRef'>, 'minLength': <class 'rdflib.term.URIRef'>, 'minute': <class 'rdflib.term.URIRef'>, 'month': <class 'rdflib.term.URIRef'>, 'negativeInteger': <class 'rdflib.term.URIRef'>, 'nonNegativeInteger': <class 'rdflib.term.URIRef'>, 'nonPositiveInteger': <class 'rdflib.term.URIRef'>, 'normalizedString': <class 'rdflib.term.URIRef'>, 'numeric': <class 'rdflib.term.URIRef'>, 'ordered': <class 'rdflib.term.URIRef'>, 'pattern': <class 'rdflib.term.URIRef'>, 'positiveInteger': <class 'rdflib.term.URIRef'>, 'second': <class 'rdflib.term.URIRef'>, 'short': <class 'rdflib.term.URIRef'>, 'string': <class 'rdflib.term.URIRef'>, 'time': <class 'rdflib.term.URIRef'>, 'timezoneOffset': <class 'rdflib.term.URIRef'>, 'token': <class 'rdflib.term.URIRef'>, 'totalDigits': <class 'rdflib.term.URIRef'>, 'unsignedByte': <class 'rdflib.term.URIRef'>, 'unsignedInt': <class 'rdflib.term.URIRef'>, 'unsignedLong': <class 'rdflib.term.URIRef'>, 'unsignedShort': <class 'rdflib.term.URIRef'>, 'whiteSpace': <class 'rdflib.term.URIRef'>, 'year': <class 'rdflib.term.URIRef'>, 'yearMonthDuration': <class 'rdflib.term.URIRef'>}
__module__ = 'rdflib.namespace._XSD'
anyURI: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#anyURI')
base64Binary: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#base64Binary')
boolean: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#boolean')
bounded: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#bounded')
byte: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#byte')
cardinality: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#cardinality')
date: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#date')
dateTime: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#dateTime')
dateTimeStamp: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#dateTimeStamp')
day: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#day')
dayTimeDuration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#dayTimeDuration')
decimal: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#decimal')
double: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#double')
duration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#duration')
enumeration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#enumeration')
explicitTimezone: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#explicitTimezone')
float: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#float')
fractionDigits: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#fractionDigits')
gDay: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#gDay')
gMonth: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#gMonth')
gMonthDay: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#gMonthDay')
gYear: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#gYear')
gYearMonth: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#gYearMonth')
hexBinary: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#hexBinary')
hour: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#hour')
int: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#int')
integer: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#integer')
language: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#language')
length: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#length')
long: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#long')
maxExclusive: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#maxExclusive')
maxInclusive: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#maxInclusive')
maxLength: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#maxLength')
minExclusive: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#minExclusive')
minInclusive: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#minInclusive')
minLength: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#minLength')
minute: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#minute')
month: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#month')
negativeInteger: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#negativeInteger')
nonNegativeInteger: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#nonNegativeInteger')
nonPositiveInteger: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#nonPositiveInteger')
normalizedString: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#normalizedString')
numeric: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#numeric')
ordered: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#ordered')
pattern: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#pattern')
positiveInteger: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#positiveInteger')
second: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#second')
short: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#short')
string: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#string')
time: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#time')
timezoneOffset: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#timezoneOffset')
token: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#token')
totalDigits: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#totalDigits')
unsignedByte: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#unsignedByte')
unsignedInt: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#unsignedInt')
unsignedLong: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#unsignedLong')
unsignedShort: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#unsignedShort')
whiteSpace: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#whiteSpace')
year: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#year')
yearMonthDuration: rdflib.term.URIRef = rdflib.term.URIRef('http://www.w3.org/2001/XMLSchema#yearMonthDuration')